asymptote-2.62/ 0000755 0000000 0000000 00000000000 13607467360 012202 5 ustar root root asymptote-2.62/asy.rc 0000644 0000000 0000000 00000001402 13607467113 013315 0 ustar root root asy 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.h 0000644 0000000 0000000 00000005002 13607467113 014013 0 ustar root root /*****
* 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.cc 0000644 0000000 0000000 00000045024 13607467113 013774 0 ustar root root /*****
* 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.h 0000644 0000000 0000000 00000007126 13607467113 013372 0 ustar root root /*****
* 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/ 0000755 0000000 0000000 00000000000 13607467360 012747 5 ustar root root asymptote-2.62/doc/loggraph.asy 0000644 0000000 0000000 00000000406 13607467113 015264 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000400 13607467113 016112 0 ustar root root size(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.asy 0000644 0000000 0000000 00000000332 13607467113 015412 0 ustar root root import 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-sh 0000755 0000000 0000000 00000032537 13607467113 014761 0 ustar root root #!/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.end 0000644 0000000 0000000 00000000515 13607467113 014367 0 ustar root root
.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.asy 0000644 0000000 0000000 00000000672 13607467113 014510 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000440 13607467113 015600 0 ustar root root size(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.asy 0000644 0000000 0000000 00000000512 13607467113 016227 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000566 13607467113 015502 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000652 13607467113 015247 0 ustar root root import 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.asy 0000644 0000000 0000000 00000001550 13607467113 016156 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000272 13607467113 015706 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000671 13607467113 015462 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000061 13607467113 016323 0 ustar root root size(100,0);
draw((1,0){up}..{left}(0,1),Arrow);
asymptote-2.62/doc/leastsquares.asy 0000644 0000000 0000000 00000002001 13607467113 016166 0 ustar root root size(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.csv 0000644 0000000 0000000 00000011167 13607467113 015320 0 ustar root root sm0,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.asy 0000644 0000000 0000000 00000000051 13607467113 015715 0 ustar root root size(0,100.5);
draw((0,0)--(2,1),Arrow);
asymptote-2.62/doc/diatom.asy 0000644 0000000 0000000 00000005502 13607467113 014740 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000574 13607467113 014417 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000235 13607467113 014715 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000614 13607467113 016001 0 ustar root root size(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.sty 0000644 0000000 0000000 00000005360 13607467113 015526 0 ustar root root \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.asy 0000644 0000000 0000000 00000000720 13607467113 016543 0 ustar root root import 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.in 0000644 0000000 0000000 00000005717 13607467113 015022 0 ustar root root MANFILES = 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.asy 0000644 0000000 0000000 00000000223 13607467113 015764 0 ustar root root import 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.csv 0000644 0000000 0000000 00000137317 13607467113 016350 0 ustar root root ,"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.asy 0000644 0000000 0000000 00000001245 13607467113 014334 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000405 13607467113 014417 0 ustar root root size(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/latexmkrc 0000644 0000000 0000000 00000000220 13607467113 014652 0 ustar root root sub 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.asy 0000644 0000000 0000000 00000000545 13607467113 017073 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000754 13607467113 014755 0 ustar root root size(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.sty 0000644 0000000 0000000 00000023154 13607467255 015545 0 ustar root root %%
%% 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.csv 0000644 0000000 0000000 00000007743 13607467113 014750 0 ustar root root "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.asy 0000644 0000000 0000000 00000000064 13607467113 014761 0 ustar root root size(3cm);
draw((0,0)--(1,0)--(1,1)--(0,1)--cycle);
asymptote-2.62/doc/CAD1.asy 0000644 0000000 0000000 00000002557 13607467113 014142 0 ustar root root 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);
asymptote-2.62/doc/tile.asy 0000644 0000000 0000000 00000000606 13607467113 014420 0 ustar root root size(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.asy 0000644 0000000 0000000 00000005135 13607467113 015212 0 ustar root root size(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.tex 0000644 0000000 0000000 00000000542 13607467113 015426 0 ustar root root % 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.asy 0000644 0000000 0000000 00000000126 13607467113 017036 0 ustar root root import solids;
size(0,100);
revolution r=cylinder(O,1,1.5,Y+Z);
draw(r,heavygreen);
asymptote-2.62/doc/asy.1.begin 0000644 0000000 0000000 00000001755 13607467113 014714 0 ustar root root .\" 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.asy 0000644 0000000 0000000 00000000173 13607467113 015475 0 ustar root root size(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.asy 0000644 0000000 0000000 00000000647 13607467113 014601 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000762 13607467113 017021 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000121 13607467113 014733 0 ustar root root label("$(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.asy 0000644 0000000 0000000 00000000570 13607467113 016050 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000525 13607467113 016033 0 ustar root root picture 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.asy 0000644 0000000 0000000 00000001134 13607467113 014427 0 ustar root root import 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.asy 0000644 0000000 0000000 00000000621 13607467113 014542 0 ustar root root size(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.asy 0000644 0000000 0000000 00000000356 13607467113 015426 0 ustar root root import 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.texi 0000644 0000000 0000000 00001360167 13607467113 015701 0 ustar root root \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
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:
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.
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/ 0000755 0000000 0000000 00000000000 13607467360 013356 5 ustar root root asymptote-2.62/doc/FAQ/install-sh 0000755 0000000 0000000 00000032537 13607467113 015370 0 ustar root root #!/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.pl 0000644 0000000 0000000 00000013730 13607467113 015130 0 ustar root root ## 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.pl 0000644 0000000 0000000 00000022775 13607467113 015122 0 ustar root root ## 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