diff --git a/app/build.xml b/app/build.xml
new file mode 100644
index 000000000..eb1c313bf
--- /dev/null
+++ b/app/build.xml
@@ -0,0 +1,52 @@
+
+
- * Run 'java Main [-showtree] directory-full-of-java-files' - * - * [The -showtree option pops up a Swing frame that shows - * the AST constructed from the parser.] - * - * Run 'java Main- */ -class JavaRecognizer extends Parser; -options { - k = 2; // two token lookahead - exportVocab=Java; // Call its vocabulary "Java" - codeGenMakeSwitchThreshold = 2; // Some optimizations - codeGenBitsetTestThreshold = 3; - defaultErrorHandler = false; // Don't generate parser error handlers - buildAST = true; -} - -tokens { - BLOCK; MODIFIERS; OBJBLOCK; SLIST; CTOR_DEF; METHOD_DEF; VARIABLE_DEF; - INSTANCE_INIT; STATIC_INIT; TYPE; CLASS_DEF; INTERFACE_DEF; - PACKAGE_DEF; ARRAY_DECLARATOR; EXTENDS_CLAUSE; IMPLEMENTS_CLAUSE; - PARAMETERS; PARAMETER_DEF; LABELED_STAT; TYPECAST; INDEX_OP; - POST_INC; POST_DEC; METHOD_CALL; EXPR; ARRAY_INIT; - IMPORT; UNARY_MINUS; UNARY_PLUS; CASE_GROUP; ELIST; FOR_INIT; FOR_CONDITION; - FOR_ITERATOR; EMPTY_STAT; FINAL="final"; ABSTRACT="abstract"; - STRICTFP="strictfp"; SUPER_CTOR_CALL; CTOR_CALL; -} - -// Compilation Unit: In Java, this is a single file. This is the start -// rule for this parser -compilationUnit - : // A compilation unit starts with an optional package definition - ( packageDefinition - | /* nothing */ - ) - - // Next we have a series of zero or more import statements - ( importDefinition )* - - // Wrapping things up with any number of class or interface - // definitions - ( typeDefinition )* - - EOF! - ; - - -// Package statement: "package" followed by an identifier. -packageDefinition - options {defaultErrorHandler = true;} // let ANTLR handle errors - : p:"package"^ {#p.setType(PACKAGE_DEF);} identifier SEMI! - ; - - -// Import statement: import followed by a package or class name -importDefinition - options {defaultErrorHandler = true;} - : i:"import"^ {#i.setType(IMPORT);} identifierStar SEMI! - ; - -// A type definition in a file is either a class or interface definition. -typeDefinition - options {defaultErrorHandler = true;} - : m:modifiers! - ( classDefinition[#m] - | interfaceDefinition[#m] - ) - | SEMI! - ; - -/** A declaration is the creation of a reference or primitive-type variable - * Create a separate Type/Var tree for each var in the var list. - */ -declaration! - : m:modifiers t:typeSpec[false] v:variableDefinitions[#m,#t] - {#declaration = #v;} - ; - -// A type specification is a type name with possible brackets afterwards -// (which would make it an array type). -typeSpec[boolean addImagNode] - : classTypeSpec[addImagNode] - | builtInTypeSpec[addImagNode] - ; - -// A class type specification is a class type with possible brackets afterwards -// (which would make it an array type). -classTypeSpec[boolean addImagNode] - : identifier (lb:LBRACK^ {#lb.setType(ARRAY_DECLARATOR);} RBRACK!)* - { - if ( addImagNode ) { - #classTypeSpec = #(#[TYPE,"TYPE"], #classTypeSpec); - } - } - ; - -// A builtin type specification is a builtin type with possible brackets -// afterwards (which would make it an array type). -builtInTypeSpec[boolean addImagNode] - : builtInType (lb:LBRACK^ {#lb.setType(ARRAY_DECLARATOR);} RBRACK!)* - { - if ( addImagNode ) { - #builtInTypeSpec = #(#[TYPE,"TYPE"], #builtInTypeSpec); - } - } - ; - -// A type name. which is either a (possibly qualified) class name or -// a primitive (builtin) type -type - : identifier - | builtInType - ; - -// The primitive types. -builtInType - : "void" - | "boolean" - | "byte" - | "char" - | "short" - | "int" - | "float" - | "long" - | "double" - ; - -// A (possibly-qualified) java identifier. We start with the first IDENT -// and expand its name by adding dots and following IDENTS -identifier - : IDENT ( DOT^ IDENT )* - ; - -identifierStar - : IDENT - ( DOT^ IDENT )* - ( DOT^ STAR )? - ; - -// A list of zero or more modifiers. We could have used (modifier)* in -// place of a call to modifiers, but I thought it was a good idea to keep -// this rule separate so they can easily be collected in a Vector if -// someone so desires -modifiers - : ( modifier )* - {#modifiers = #([MODIFIERS, "MODIFIERS"], #modifiers);} - ; - -// modifiers for Java classes, interfaces, class/instance vars and methods -modifier - : "private" - | "public" - | "protected" - | "static" - | "transient" - | "final" - | "abstract" - | "native" - | "threadsafe" - | "synchronized" -// | "const" // reserved word, but not valid - | "volatile" - | "strictfp" - ; - -// Definition of a Java class -classDefinition![AST modifiers] - : "class" IDENT - // it _might_ have a superclass... - sc:superClassClause - // it might implement some interfaces... - ic:implementsClause - // now parse the body of the class - cb:classBlock - {#classDefinition = #(#[CLASS_DEF,"CLASS_DEF"], - modifiers,IDENT,sc,ic,cb);} - ; - -superClassClause! - : ( "extends" id:identifier )? - {#superClassClause = #(#[EXTENDS_CLAUSE,"EXTENDS_CLAUSE"],id);} - ; - -// Definition of a Java Interface -interfaceDefinition![AST modifiers] - : "interface" IDENT - // it might extend some other interfaces - ie:interfaceExtends - // now parse the body of the interface (looks like a class...) - cb:classBlock - {#interfaceDefinition = #(#[INTERFACE_DEF,"INTERFACE_DEF"], - modifiers,IDENT,ie,cb);} - ; - - -// This is the body of a class. You can have fields and extra semicolons, -// That's about it (until you see what a field is...) -classBlock - : LCURLY! - ( field | SEMI! )* - RCURLY! - {#classBlock = #([OBJBLOCK, "OBJBLOCK"], #classBlock);} - ; - -// An interface can extend several other interfaces... -interfaceExtends - : ( - e:"extends"! - identifier ( COMMA! identifier )* - )? - {#interfaceExtends = #(#[EXTENDS_CLAUSE,"EXTENDS_CLAUSE"], - #interfaceExtends);} - ; - -// A class can implement several interfaces... -implementsClause - : ( - i:"implements"! identifier ( COMMA! identifier )* - )? - {#implementsClause = #(#[IMPLEMENTS_CLAUSE,"IMPLEMENTS_CLAUSE"], - #implementsClause);} - ; - -// Now the various things that can be defined inside a class or interface... -// Note that not all of these are really valid in an interface (constructors, -// for example), and if this grammar were used for a compiler there would -// need to be some semantic checks to make sure we're doing the right thing... -field! - : // method, constructor, or variable declaration - mods:modifiers - ( h:ctorHead s:constructorBody // constructor - {#field = #(#[CTOR_DEF,"CTOR_DEF"], mods, h, s);} - - | cd:classDefinition[#mods] // inner class - {#field = #cd;} - - | id:interfaceDefinition[#mods] // inner interface - {#field = #id;} - - | t:typeSpec[false] // method or variable declaration(s) - ( IDENT // the name of the method - - // parse the formal parameter declarations. - LPAREN! param:parameterDeclarationList RPAREN! - - rt:declaratorBrackets[#t] - - // get the list of exceptions that this method is - // declared to throw - (tc:throwsClause)? - - ( s2:compoundStatement | SEMI ) - {#field = #(#[METHOD_DEF,"METHOD_DEF"], - mods, - #(#[TYPE,"TYPE"],rt), - IDENT, - param, - tc, - s2);} - | v:variableDefinitions[#mods,#t] SEMI -// {#field = #(#[VARIABLE_DEF,"VARIABLE_DEF"], v);} - {#field = #v;} - ) - ) - - // "static { ... }" class initializer - | "static" s3:compoundStatement - {#field = #(#[STATIC_INIT,"STATIC_INIT"], s3);} - - // "{ ... }" instance initializer - | s4:compoundStatement - {#field = #(#[INSTANCE_INIT,"INSTANCE_INIT"], s4);} - ; - -constructorBody - : lc:LCURLY^ {#lc.setType(SLIST);} - ( options { greedy=true; } : explicitConstructorInvocation)? - (statement)* - RCURLY! - ; - -/** Catch obvious constructor calls, but not the expr.super(...) calls */ -explicitConstructorInvocation - : "this"! lp1:LPAREN^ argList RPAREN! SEMI! - {#lp1.setType(CTOR_CALL);} - | "super"! lp2:LPAREN^ argList RPAREN! SEMI! - {#lp2.setType(SUPER_CTOR_CALL);} - ; - -variableDefinitions[AST mods, AST t] - : variableDeclarator[getASTFactory().dupTree(mods), - getASTFactory().dupTree(t)] - ( COMMA! - variableDeclarator[getASTFactory().dupTree(mods), - getASTFactory().dupTree(t)] - )* - ; - -/** Declaration of a variable. This can be a class/instance variable, - * or a local variable in a method - * It can also include possible initialization. - */ -variableDeclarator![AST mods, AST t] - : id:IDENT d:declaratorBrackets[t] v:varInitializer - {#variableDeclarator = #(#[VARIABLE_DEF,"VARIABLE_DEF"], mods, #(#[TYPE,"TYPE"],d), id, v);} - ; - -declaratorBrackets[AST typ] - : {#declaratorBrackets=typ;} - (lb:LBRACK^ {#lb.setType(ARRAY_DECLARATOR);} RBRACK!)* - ; - -varInitializer - : ( ASSIGN^ initializer )? - ; - -// This is an initializer used to set up an array. -arrayInitializer - : lc:LCURLY^ {#lc.setType(ARRAY_INIT);} - ( initializer - ( - // CONFLICT: does a COMMA after an initializer start a new - // initializer or start the option ',' at end? - // ANTLR generates proper code by matching - // the comma as soon as possible. - options { - warnWhenFollowAmbig = false; - } - : - COMMA! initializer - )* - (COMMA!)? - )? - RCURLY! - ; - - -// The two "things" that can initialize an array element are an expression -// and another (nested) array initializer. -initializer - : expression - | arrayInitializer - ; - -// This is the header of a method. It includes the name and parameters -// for the method. -// This also watches for a list of exception classes in a "throws" clause. -ctorHead - : IDENT // the name of the method - - // parse the formal parameter declarations. - LPAREN! parameterDeclarationList RPAREN! - - // get the list of exceptions that this method is declared to throw - (throwsClause)? - ; - -// This is a list of exception classes that the method is declared to throw -throwsClause - : "throws"^ identifier ( COMMA! identifier )* - ; - - -// A list of formal parameters -parameterDeclarationList - : ( parameterDeclaration ( COMMA! parameterDeclaration )* )? - {#parameterDeclarationList = #(#[PARAMETERS,"PARAMETERS"], - #parameterDeclarationList);} - ; - -// A formal parameter. -parameterDeclaration! - : pm:parameterModifier t:typeSpec[false] id:IDENT - pd:declaratorBrackets[#t] - {#parameterDeclaration = #(#[PARAMETER_DEF,"PARAMETER_DEF"], - pm, #([TYPE,"TYPE"],pd), id);} - ; - -parameterModifier - : (f:"final")? - {#parameterModifier = #(#[MODIFIERS,"MODIFIERS"], f);} - ; - -// Compound statement. This is used in many contexts: -// Inside a class definition prefixed with "static": -// it is a class initializer -// Inside a class definition without "static": -// it is an instance initializer -// As the body of a method -// As a completely indepdent braced block of code inside a method -// it starts a new scope for variable definitions - -compoundStatement - : lc:LCURLY^ {#lc.setType(SLIST);} - // include the (possibly-empty) list of statements - (statement)* - RCURLY! - ; - - -statement - // A list of statements in curly braces -- start a new scope! - : compoundStatement - - // declarations are ambiguous with "ID DOT" relative to expression - // statements. Must backtrack to be sure. Could use a semantic - // predicate to test symbol table to see what the type was coming - // up, but that's pretty hard without a symbol table ;) - | (declaration)=> declaration SEMI! - - // An expression statement. This could be a method call, - // assignment statement, or any other expression evaluated for - // side-effects. - | expression SEMI! - - // class definition - | m:modifiers! classDefinition[#m] - - // Attach a label to the front of a statement - | IDENT c:COLON^ {#c.setType(LABELED_STAT);} statement - - // If-else statement - | "if"^ LPAREN! expression RPAREN! statement - ( - // CONFLICT: the old "dangling-else" problem... - // ANTLR generates proper code matching - // as soon as possible. Hush warning. - options { - warnWhenFollowAmbig = false; - } - : - "else"! statement - )? - - // For statement - | "for"^ - LPAREN! - forInit SEMI! // initializer - forCond SEMI! // condition test - forIter // updater - RPAREN! - statement // statement to loop over - - // While statement - | "while"^ LPAREN! expression RPAREN! statement - - // do-while statement - | "do"^ statement "while"! LPAREN! expression RPAREN! SEMI! - - // get out of a loop (or switch) - | "break"^ (IDENT)? SEMI! - - // do next iteration of a loop - | "continue"^ (IDENT)? SEMI! - - // Return an expression - | "return"^ (expression)? SEMI! - - // switch/case statement - | "switch"^ LPAREN! expression RPAREN! LCURLY! - ( casesGroup )* - RCURLY! - - // exception try-catch block - | tryBlock - - // throw an exception - | "throw"^ expression SEMI! - - // synchronize a statement - | "synchronized"^ LPAREN! expression RPAREN! compoundStatement - - // asserts (uncomment if you want 1.4 compatibility) - | "assert"^ expression ( COLON! expression )? SEMI! - - // empty statement - | s:SEMI {#s.setType(EMPTY_STAT);} - ; - -casesGroup - : ( // CONFLICT: to which case group do the statements bind? - // ANTLR generates proper code: it groups the - // many "case"/"default" labels together then - // follows them with the statements - options { - greedy = true; - } - : - aCase - )+ - caseSList - {#casesGroup = #([CASE_GROUP, "CASE_GROUP"], #casesGroup);} - ; - -aCase - : ("case"^ expression | "default") COLON! - ; - -caseSList - : (statement)* - {#caseSList = #(#[SLIST,"SLIST"],#caseSList);} - ; - -// The initializer for a for loop -forInit - // if it looks like a declaration, it is - : ( (declaration)=> declaration - // otherwise it could be an expression list... - | expressionList - )? - {#forInit = #(#[FOR_INIT,"FOR_INIT"],#forInit);} - ; - -forCond - : (expression)? - {#forCond = #(#[FOR_CONDITION,"FOR_CONDITION"],#forCond);} - ; - -forIter - : (expressionList)? - {#forIter = #(#[FOR_ITERATOR,"FOR_ITERATOR"],#forIter);} - ; - -// an exception handler try/catch block -tryBlock - : "try"^ compoundStatement - (handler)* - ( finallyClause )? - ; - -finallyClause - : "finally"^ compoundStatement - ; - -// an exception handler -handler - : "catch"^ LPAREN! parameterDeclaration RPAREN! compoundStatement - ; - - -// expressions -// Note that most of these expressions follow the pattern -// thisLevelExpression : -// nextHigherPrecedenceExpression -// (OPERATOR nextHigherPrecedenceExpression)* -// which is a standard recursive definition for a parsing an expression. -// The operators in java have the following precedences: -// lowest (13) = *= /= %= += -= <<= >>= >>>= &= ^= |= -// (12) ?: -// (11) || -// (10) && -// ( 9) | -// ( 8) ^ -// ( 7) & -// ( 6) == != -// ( 5) < <= > >= -// ( 4) << >> -// ( 3) +(binary) -(binary) -// ( 2) * / % -// ( 1) ++ -- +(unary) -(unary) ~ ! (type) -// [] () (method call) . (dot -- identifier qualification) -// new () (explicit parenthesis) -// -// the last two are not usually on a precedence chart; I put them in -// to point out that new has a higher precedence than '.', so you -// can validy use -// new Frame().show() -// -// Note that the above precedence levels map to the rules below... -// Once you have a precedence chart, writing the appropriate rules as below -// is usually very straightfoward - - - -// the mother of all expressions -expression - : assignmentExpression - {#expression = #(#[EXPR,"EXPR"],#expression);} - ; - - -// This is a list of expressions. -expressionList - : expression (COMMA! expression)* - {#expressionList = #(#[ELIST,"ELIST"], expressionList);} - ; - - -// assignment expression (level 13) -assignmentExpression - : conditionalExpression - ( ( ASSIGN^ - | PLUS_ASSIGN^ - | MINUS_ASSIGN^ - | STAR_ASSIGN^ - | DIV_ASSIGN^ - | MOD_ASSIGN^ - | SR_ASSIGN^ - | BSR_ASSIGN^ - | SL_ASSIGN^ - | BAND_ASSIGN^ - | BXOR_ASSIGN^ - | BOR_ASSIGN^ - ) - assignmentExpression - )? - ; - - -// conditional test (level 12) -conditionalExpression - : logicalOrExpression - ( QUESTION^ assignmentExpression COLON! conditionalExpression )? - ; - - -// logical or (||) (level 11) -logicalOrExpression - : logicalAndExpression (LOR^ logicalAndExpression)* - ; - - -// logical and (&&) (level 10) -logicalAndExpression - : inclusiveOrExpression (LAND^ inclusiveOrExpression)* - ; - - -// bitwise or non-short-circuiting or (|) (level 9) -inclusiveOrExpression - : exclusiveOrExpression (BOR^ exclusiveOrExpression)* - ; - - -// exclusive or (^) (level 8) -exclusiveOrExpression - : andExpression (BXOR^ andExpression)* - ; - - -// bitwise or non-short-circuiting and (&) (level 7) -andExpression - : equalityExpression (BAND^ equalityExpression)* - ; - - -// equality/inequality (==/!=) (level 6) -equalityExpression - : relationalExpression ((NOT_EQUAL^ | EQUAL^) relationalExpression)* - ; - - -// boolean relational expressions (level 5) -relationalExpression - : shiftExpression - ( ( ( LT^ - | GT^ - | LE^ - | GE^ - ) - shiftExpression - )* - | "instanceof"^ typeSpec[true] - ) - ; - - -// bit shift expressions (level 4) -shiftExpression - : additiveExpression ((SL^ | SR^ | BSR^) additiveExpression)* - ; - - -// binary addition/subtraction (level 3) -additiveExpression - : multiplicativeExpression ((PLUS^ | MINUS^) multiplicativeExpression)* - ; - - -// multiplication/division/modulo (level 2) -multiplicativeExpression - : unaryExpression ((STAR^ | DIV^ | MOD^ ) unaryExpression)* - ; - -unaryExpression - : INC^ unaryExpression - | DEC^ unaryExpression - | MINUS^ {#MINUS.setType(UNARY_MINUS);} unaryExpression - | PLUS^ {#PLUS.setType(UNARY_PLUS);} unaryExpression - | unaryExpressionNotPlusMinus - ; - -unaryExpressionNotPlusMinus - : BNOT^ unaryExpression - | LNOT^ unaryExpression - - | ( // subrule allows option to shut off warnings - options { - // "(int" ambig with postfixExpr due to lack of sequence - // info in linear approximate LL(k). It's ok. Shut up. - generateAmbigWarnings=false; - } - : // If typecast is built in type, must be numeric operand - // Also, no reason to backtrack if type keyword like int, float... - lpb:LPAREN^ {#lpb.setType(TYPECAST);} builtInTypeSpec[true] RPAREN! - unaryExpression - - // Have to backtrack to see if operator follows. If no operator - // follows, it's a typecast. No semantic checking needed to parse. - // if it _looks_ like a cast, it _is_ a cast; else it's a "(expr)" - | (LPAREN classTypeSpec[true] RPAREN unaryExpressionNotPlusMinus)=> - lp:LPAREN^ {#lp.setType(TYPECAST);} classTypeSpec[true] RPAREN! - unaryExpressionNotPlusMinus - - | postfixExpression - ) - ; - -// qualified names, array expressions, method invocation, post inc/dec -postfixExpression - : - /* - "this"! lp1:LPAREN^ argList RPAREN! - {#lp1.setType(CTOR_CALL);} - - | "super"! lp2:LPAREN^ argList RPAREN! - {#lp2.setType(SUPER_CTOR_CALL);} - | - */ - primaryExpression - - ( - /* - options { - // the use of postfixExpression in SUPER_CTOR_CALL adds DOT - // to the lookahead set, and gives loads of false non-det - // warnings. - // shut them off. - generateAmbigWarnings=false; - } - : */ - DOT^ IDENT - ( lp:LPAREN^ {#lp.setType(METHOD_CALL);} - argList - RPAREN! - )? - | DOT^ "this" - - | DOT^ "super" - ( // (new Outer()).super() (create enclosing instance) - lp3:LPAREN^ argList RPAREN! - {#lp3.setType(SUPER_CTOR_CALL);} - | DOT^ IDENT - ( lps:LPAREN^ {#lps.setType(METHOD_CALL);} - argList - RPAREN! - )? - ) - | DOT^ newExpression - | lb:LBRACK^ {#lb.setType(INDEX_OP);} expression RBRACK! - )* - - ( // possibly add on a post-increment or post-decrement. - // allows INC/DEC on too much, but semantics can check - in:INC^ {#in.setType(POST_INC);} - | de:DEC^ {#de.setType(POST_DEC);} - )? - ; - -// the basic element of an expression -primaryExpression - : identPrimary ( options {greedy=true;} : DOT^ "class" )? - | constant - | "true" - | "false" - | "null" - | newExpression - | "this" - | "super" - | LPAREN! assignmentExpression RPAREN! - // look for int.class and int[].class - | builtInType - ( lbt:LBRACK^ {#lbt.setType(ARRAY_DECLARATOR);} RBRACK! )* - DOT^ "class" - ; - -/** Match a, a.b.c refs, a.b.c(...) refs, a.b.c[], a.b.c[].class, - * and a.b.c.class refs. Also this(...) and super(...). Match - * this or super. - */ -identPrimary - : IDENT - ( - options { - // .ident could match here or in postfixExpression. - // We do want to match here. Turn off warning. - greedy=true; - } - : DOT^ IDENT - )* - ( - options { - // ARRAY_DECLARATOR here conflicts with INDEX_OP in - // postfixExpression on LBRACK RBRACK. - // We want to match [] here, so greedy. This overcomes - // limitation of linear approximate lookahead. - greedy=true; - } - : ( lp:LPAREN^ {#lp.setType(METHOD_CALL);} argList RPAREN! ) - | ( options {greedy=true;} : - lbc:LBRACK^ {#lbc.setType(ARRAY_DECLARATOR);} RBRACK! - )+ - )? - ; - -/** object instantiation. - * Trees are built as illustrated by the following input/tree pairs: - * - * new T() - * - * new - * | - * T -- ELIST - * | - * arg1 -- arg2 -- .. -- argn - * - * new int[] - * - * new - * | - * int -- ARRAY_DECLARATOR - * - * new int[] {1,2} - * - * new - * | - * int -- ARRAY_DECLARATOR -- ARRAY_INIT - * | - * EXPR -- EXPR - * | | - * 1 2 - * - * new int[3] - * new - * | - * int -- ARRAY_DECLARATOR - * | - * EXPR - * | - * 3 - * - * new int[1][2] - * - * new - * | - * int -- ARRAY_DECLARATOR - * | - * ARRAY_DECLARATOR -- EXPR - * | | - * EXPR 1 - * | - * 2 - * - */ -newExpression - : "new"^ type - ( LPAREN! argList RPAREN! (classBlock)? - - //java 1.1 - // Note: This will allow bad constructs like - // new int[4][][3] {exp,exp}. - // There needs to be a semantic check here... - // to make sure: - // a) [ expr ] and [ ] are not mixed - // b) [ expr ] and an init are not used together - - | newArrayDeclarator (arrayInitializer)? - ) - ; - -argList - : ( expressionList - | /*nothing*/ - {#argList = #[ELIST,"ELIST"];} - ) - ; - -newArrayDeclarator - : ( - // CONFLICT: - // newExpression is a primaryExpression which can be - // followed by an array index reference. This is ok, - // as the generated code will stay in this loop as - // long as it sees an LBRACK (proper behavior) - options { - warnWhenFollowAmbig = false; - } - : - lb:LBRACK^ {#lb.setType(ARRAY_DECLARATOR);} - (expression)? - RBRACK! - )+ - ; - -constant - : NUM_INT - | CHAR_LITERAL - | STRING_LITERAL - | NUM_FLOAT - | NUM_LONG - | NUM_DOUBLE - ; - - -//---------------------------------------------------------------------------- -// The Java scanner -//---------------------------------------------------------------------------- -class JavaLexer extends Lexer; - -options { - exportVocab=Java; // call the vocabulary "Java" - testLiterals=false; // don't automatically test for literals - k=4; // four characters of lookahead - charVocabulary='\u0003'..'\uFFFF'; - // without inlining some bitset tests, couldn't do unicode; - // I need to make ANTLR generate smaller bitsets; see - // bottom of JavaLexer.java - codeGenBitsetTestThreshold=20; -} - - - -// OPERATORS -QUESTION : '?' ; -LPAREN : '(' ; -RPAREN : ')' ; -LBRACK : '[' ; -RBRACK : ']' ; -LCURLY : '{' ; -RCURLY : '}' ; -COLON : ':' ; -COMMA : ',' ; -//DOT : '.' ; -ASSIGN : '=' ; -EQUAL : "==" ; -LNOT : '!' ; -BNOT : '~' ; -NOT_EQUAL : "!=" ; -DIV : '/' ; -DIV_ASSIGN : "/=" ; -PLUS : '+' ; -PLUS_ASSIGN : "+=" ; -INC : "++" ; -MINUS : '-' ; -MINUS_ASSIGN : "-=" ; -DEC : "--" ; -STAR : '*' ; -STAR_ASSIGN : "*=" ; -MOD : '%' ; -MOD_ASSIGN : "%=" ; -SR : ">>" ; -SR_ASSIGN : ">>=" ; -BSR : ">>>" ; -BSR_ASSIGN : ">>>=" ; -GE : ">=" ; -GT : ">" ; -SL : "<<" ; -SL_ASSIGN : "<<=" ; -LE : "<=" ; -LT : '<' ; -BXOR : '^' ; -BXOR_ASSIGN : "^=" ; -BOR : '|' ; -BOR_ASSIGN : "|=" ; -LOR : "||" ; -BAND : '&' ; -BAND_ASSIGN : "&=" ; -LAND : "&&" ; -SEMI : ';' ; - - -// Whitespace -- ignored -WS : ( ' ' - | '\t' - | '\f' - // handle newlines - | ( options {generateAmbigWarnings=false;} - : "\r\n" // Evil DOS - | '\r' // Macintosh - | '\n' // Unix (the right way) - ) - { newline(); } - )+ - { _ttype = Token.SKIP; } - ; - -// Single-line comments -SL_COMMENT - : "//" - (~('\n'|'\r'))* ('\n'|'\r'('\n')?) - {$setType(Token.SKIP); newline();} - ; - -// multiple-line comments -ML_COMMENT - : "/*" - ( /* '\r' '\n' can be matched in one alternative or by matching - '\r' in one iteration and '\n' in another. I am trying to - handle any flavor of newline that comes in, but the language - that allows both "\r\n" and "\r" and "\n" to all be valid - newline is ambiguous. Consequently, the resulting grammar - must be ambiguous. I'm shutting this warning off. - */ - options { - generateAmbigWarnings=false; - } - : - { LA(2)!='/' }? '*' - | '\r' '\n' {newline();} - | '\r' {newline();} - | '\n' {newline();} - | ~('*'|'\n'|'\r') - )* - "*/" - {$setType(Token.SKIP);} - ; - - -// character literals -CHAR_LITERAL - : '\'' ( ESC | ~'\'' ) '\'' - ; - -// string literals -STRING_LITERAL - : '"' (ESC|~('"'|'\\'))* '"' - ; - - -// escape sequence -- note that this is protected; it can only be called -// from another lexer rule -- it will not ever directly return a token to -// the parser -// There are various ambiguities hushed in this rule. The optional -// '0'...'9' digit matches should be matched here rather than letting -// them go back to STRING_LITERAL to be matched. ANTLR does the -// right thing by matching immediately; hence, it's ok to shut off -// the FOLLOW ambig warnings. -protected -ESC - : '\\' - ( 'n' - | 'r' - | 't' - | 'b' - | 'f' - | '"' - | '\'' - | '\\' - | ('u')+ HEX_DIGIT HEX_DIGIT HEX_DIGIT HEX_DIGIT - | '0'..'3' - ( - options { - warnWhenFollowAmbig = false; - } - : '0'..'7' - ( - options { - warnWhenFollowAmbig = false; - } - : '0'..'7' - )? - )? - | '4'..'7' - ( - options { - warnWhenFollowAmbig = false; - } - : '0'..'7' - )? - ) - ; - - -// hexadecimal digit (again, note it's protected!) -protected -HEX_DIGIT - : ('0'..'9'|'A'..'F'|'a'..'f') - ; - - -// a dummy rule to force vocabulary to be all characters (except special -// ones that ANTLR uses internally (0 to 2) -protected -VOCAB - : '\3'..'\377' - ; - - -// an identifier. Note that testLiterals is set to true! This means -// that after we match the rule, we look in the literals table to see -// if it's a literal or really an identifer -IDENT - options {testLiterals=true;} - : ('a'..'z'|'A'..'Z'|'_'|'$') ('a'..'z'|'A'..'Z'|'_'|'0'..'9'|'$')* - ; - - -// a numeric literal -NUM_INT - {boolean isDecimal=false; Token t=null;} - : '.' {_ttype = DOT;} - ( ('0'..'9')+ (EXPONENT)? (f1:FLOAT_SUFFIX {t=f1;})? - { - if (t != null && t.getText().toUpperCase().indexOf('F')>=0) { - _ttype = NUM_FLOAT; - } - else { - _ttype = NUM_DOUBLE; // assume double - } - } - )? - - | ( '0' {isDecimal = true;} // special case for just '0' - ( ('x'|'X') - ( // hex - // the 'e'|'E' and float suffix stuff look - // like hex digits, hence the (...)+ doesn't - // know when to stop: ambig. ANTLR resolves - // it correctly by matching immediately. It - // is therefor ok to hush warning. - options { - warnWhenFollowAmbig=false; - } - : HEX_DIGIT - )+ - | ('0'..'7')+ // octal - )? - | ('1'..'9') ('0'..'9')* {isDecimal=true;} // non-zero decimal - ) - ( ('l'|'L') { _ttype = NUM_LONG; } - - // only check to see if it's a float if looks like decimal so far - | {isDecimal}? - ( '.' ('0'..'9')* (EXPONENT)? (f2:FLOAT_SUFFIX {t=f2;})? - | EXPONENT (f3:FLOAT_SUFFIX {t=f3;})? - | f4:FLOAT_SUFFIX {t=f4;} - ) - { - if (t != null && t.getText().toUpperCase() .indexOf('F') >= 0) { - _ttype = NUM_FLOAT; - } - else { - _ttype = NUM_DOUBLE; // assume double - } - } - )? - ; - - -// a couple protected methods to assist in matching floating point numbers -protected -EXPONENT - : ('e'|'E') ('+'|'-')? ('0'..'9')+ - ; - - -protected -FLOAT_SUFFIX - : 'f'|'F'|'d'|'D' - ; - diff --git a/app/src/antlr/java/java.g.java15 b/app/src/antlr/java/java.g.java15 deleted file mode 100644 index b119cd35f..000000000 --- a/app/src/antlr/java/java.g.java15 +++ /dev/null @@ -1,2002 +0,0 @@ -header -{ -package de.hunsicker.jalopy.language.antlr; - -import de.hunsicker.jalopy.language.antlr.JavaNode; -import de.hunsicker.jalopy.language.JavaNodeHelper; -} - -/** Java 1.5 Recognizer - * - * Run 'java Main [-showtree] directory-full-of-java-files' - * - * [The -showtree option pops up a Swing frame that shows - * the JavaNode constructed from the parser.] - * - * Run 'java Main' - * - * Contributing authors: - * John Mitchell johnm@non.net - * Terence Parr parrt@magelang.com - * John Lilley jlilley@empathy.com - * Scott Stanchfield thetick@magelang.com - * Markus Mohnen mohnen@informatik.rwth-aachen.de - * Peter Williams pete.williams@sun.com - * Allan Jacobs Allan.Jacobs@eng.sun.com - * Steve Messick messick@redhills.com - * John Pybus john@pybus.org - * - * Version 1.00 December 9, 1997 -- initial release - * Version 1.01 December 10, 1997 - * fixed bug in octal def (0..7 not 0..8) - * Version 1.10 August 1998 (parrt) - * added tree construction - * fixed definition of WS,comments for mac,pc,unix newlines - * added unary plus - * Version 1.11 (Nov 20, 1998) - * Added "shutup" option to turn off last ambig warning. - * Fixed inner class def to allow named class defs as statements - * synchronized requires compound not simple statement - * add [] after builtInType DOT class in primaryExpression - * "const" is reserved but not valid..removed from modifiers - * Version 1.12 (Feb 2, 1999) - * Changed LITERAL_xxx to xxx in tree grammar. - * Updated java.g to use tokens {...} now for 2.6.0 (new feature). - * - * Version 1.13 (Apr 23, 1999) - * Didn't have (stat)? for else clause in tree parser. - * Didn't gen ASTs for interface extends. Updated tree parser too. - * Updated to 2.6.0. - * Version 1.14 (Jun 20, 1999) - * Allowed final/abstract on local classes. - * Removed local interfaces from methods - * Put instanceof precedence where it belongs...in relationalExpr - * It also had expr not type as arg; fixed it. - * Missing ! on SEMI in classBlock - * fixed: (expr) + "string" was parsed incorrectly (+ as unary plus). - * fixed: didn't like Object[].class in parser or tree parser - * Version 1.15 (Jun 26, 1999) - * Screwed up rule with instanceof in it. :( Fixed. - * Tree parser didn't like (expr).something; fixed. - * Allowed multiple inheritance in tree grammar. oops. - * Version 1.16 (August 22, 1999) - * Extending an interface built a wacky tree: had extra EXTENDS. - * Tree grammar didn't allow multiple superinterfaces. - * Tree grammar didn't allow empty var initializer: {} - * Version 1.17 (October 12, 1999) - * ESC lexer rule allowed 399 max not 377 max. - * java.tree.g didn't handle the expression of synchronized - * statements. - * Version 1.18 (August 12, 2001) - * Terence updated to Java 2 Version 1.3 by - * observing/combining work of Allan Jacobs and Steve - * Messick. Handles 1.3 src. Summary: - * o primary didn't include boolean.class kind of thing - * o constructor calls parsed explicitly now: - * see explicitConstructorInvocation - * o add strictfp modifier - * o missing objBlock after new expression in tree grammar - * o merged local class definition alternatives, moved after declaration - * o fixed problem with ClassName.super.field - * o reordered some alternatives to make things more efficient - * o long and double constants were not differentiated from int/float - * o whitespace rule was inefficient: matched only one char - * o add an examples directory with some nasty 1.3 cases - * o made Main.java use buffered IO and a Reader for Unicode support - * o supports UNICODE? - * Using Unicode charVocabulay makes code file big, but only - * in the bitsets at the end. I need to make ANTLR generate - * unicode bitsets more efficiently. - * Version 1.19 (April 25, 2002) - * Terence added in nice fixes by John Pybus concerning floating - * constants and problems with super() calls. John did a nice - * reorg of the primary/postfix expression stuff to read better - * and makes f.g.super() parse properly (it was METHOD_CALL not - * a SUPER_CTOR_CALL). Also: - * - * o "finally" clause was a root...made it a child of "try" - * o Added stuff for asserts too for Java 1.4, but *commented out* - * as it is not backward compatible. - * - * Version 1.20 (October 27, 2002) - * - * Terence ended up reorging John Pybus' stuff to - * remove some nondeterminisms and some syntactic predicates. - * Note that the grammar is stricter now; e.g., this(...) must - * be the first statement. - * - * Trinary ?: operator wasn't working as array name: - * (isBig ? bigDigits : digits)[i]; - * - * Checked parser/tree parser on source for - * Resin-2.0.5, jive-2.1.1, jdk 1.3.1, Lucene, antlr 2.7.2a4, - * and the 110k-line jGuru server source. - * - * This grammar is in the PUBLIC DOMAIN - *
If you don't save, your changes will be lost.", + JOptionPane.QUESTION_MESSAGE); + + String[] options = new String[] { + "Save", "Cancel", "Don't Save" + }; + pane.setOptions(options); + + // highlight the safest option ala apple hig + pane.setInitialValue(options[0]); + + // on macosx, setting the destructive property places this option + // away from the others at the lefthand side + pane.putClientProperty("Quaqua.OptionPane.destructiveOption", + new Integer(2)); + + JDialog dialog = pane.createDialog(editor, null); + dialog.setVisible(true); + + Object result = pane.getValue(); + if (result == options[0]) { + return JOptionPane.YES_OPTION; + } else if (result == options[1]) { + return JOptionPane.CANCEL_OPTION; + } else if (result == options[2]) { + return JOptionPane.NO_OPTION; + } else { + return JOptionPane.CLOSED_OPTION; + } + } + } + + +//if (result == JOptionPane.YES_OPTION) { + // +// } else if (result == JOptionPane.NO_OPTION) { +// return true; // ok to continue + // +// } else if (result == JOptionPane.CANCEL_OPTION) { +// return false; + // +// } else { +// throw new IllegalStateException(); +// } + + static public int showYesNoQuestion(Frame editor, String title, + String primary, String secondary) { + if (!Base.isMacOS()) { + return JOptionPane.showConfirmDialog(editor, + "
" + + "" + primary + "" + + "" + secondary + "
", + JOptionPane.QUESTION_MESSAGE); + + String[] options = new String[] { + "Yes", "No" + }; + pane.setOptions(options); + + // highlight the safest option ala apple hig + pane.setInitialValue(options[0]); + + JDialog dialog = pane.createDialog(editor, null); + dialog.setVisible(true); + + Object result = pane.getValue(); + if (result == options[0]) { + return JOptionPane.YES_OPTION; + } else if (result == options[1]) { + return JOptionPane.NO_OPTION; + } else { + return JOptionPane.CLOSED_OPTION; + } + } + } + + /** * Retrieve a path to something in the Processing folder. Eventually this * may refer to the Contents subfolder of Processing.app, if we bundle things @@ -1959,6 +2079,36 @@ public class Base { } + + /** + * Read from a file with a bunch of attribute/value pairs + * that are separated by = and ignore comments with #. + */ + static public HashMap+ * public class ExampleFrame extends Frame { + * + * public ExampleFrame() { + * super("Embedded PApplet"); + * + * setLayout(new BorderLayout()); + * PApplet embed = new Embedded(); + * add(embed, BorderLayout.CENTER); + * + * // important to call this whenever embedding a PApplet. + * // It ensures that the animation thread is started and + * // that other internal variables are properly set. + * embed.init(); + * } + * } + * + * public class Embedded extends PApplet { + * + * public void setup() { + * // original setup code here ... + * size(400, 400); + * + * // prevent thread from starving everything else + * noLoop(); + * } + * + * public void draw() { + * // drawing code goes here + * } + * + * public void mousePressed() { + * // do something based on mouse movement + * + * // update the screen (run draw once) + * redraw(); + * } + * } + *+ * + *
I was asked about Processing with multiple displays, and for lack of a + * better place to document it, things will go here.
+ *You can address both screens by making a window the width of both, + * and the height of the maximum of both screens. In this case, do not use + * present mode, because that's exclusive to one screen. Basically it'll + * give you a PApplet that spans both screens. If using one half to control + * and the other half for graphics, you'd just have to put the 'live' stuff + * on one half of the canvas, the control stuff on the other. This works + * better in windows because on the mac we can't get rid of the menu bar + * unless it's running in present mode.
+ *For more control, you need to write straight java code that uses p5. + * You can create two windows, that are shown on two separate screens, + * that have their own PApplet. this is just one of the tradeoffs of one of + * the things that we don't support in p5 from within the environment + * itself (we must draw the line somewhere), because of how messy it would + * get to start talking about multiple screens. It's also not that tough to + * do by hand w/ some Java code.
+ * @usage Web & Application + */ +public class PApplet extends Applet + implements PConstants, Runnable, + MouseListener, MouseMotionListener, KeyListener, FocusListener +{ + /** + * Full name of the Java version (i.e. 1.5.0_11). + * Prior to 0125, this was only the first three digits. + */ + public static final String javaVersionName = + System.getProperty("java.version"); + + /** + * Version of Java that's in use, whether 1.1 or 1.3 or whatever, + * stored as a float. + *+ * Note that because this is stored as a float, the values may + * not be exactly 1.3 or 1.4. Instead, make sure you're + * comparing against 1.3f or 1.4f, which will have the same amount + * of error (i.e. 1.40000001). This could just be a double, but + * since Processing only uses floats, it's safer for this to be a float + * because there's no good way to specify a double with the preproc. + */ + public static final float javaVersion = + new Float(javaVersionName.substring(0, 3)).floatValue(); + + /** + * Current platform in use. + *
+ * Equivalent to System.getProperty("os.name"), just used internally. + */ + + /** + * Current platform in use, one of the + * PConstants WINDOWS, MACOSX, MACOS9, LINUX or OTHER. + */ + static public int platform; + + /** + * Name associated with the current 'platform' (see PConstants.platformNames) + */ + //static public String platformName; + + static { + String osname = System.getProperty("os.name"); + + if (osname.indexOf("Mac") != -1) { + platform = MACOSX; + + } else if (osname.indexOf("Windows") != -1) { + platform = WINDOWS; + + } else if (osname.equals("Linux")) { // true for the ibm vm + platform = LINUX; + + } else { + platform = OTHER; + } + } + + /** + * Modifier flags for the shortcut key used to trigger menus. + * (Cmd on Mac OS X, Ctrl on Linux and Windows) + */ + static public final int MENU_SHORTCUT = + Toolkit.getDefaultToolkit().getMenuShortcutKeyMask(); + + /** The PGraphics renderer associated with this PApplet */ + public PGraphics g; + + //protected Object glock = new Object(); // for sync + + /** The frame containing this applet (if any) */ + public Frame frame; + + /** + * The screen size when the applet was started. + *
+ * Access this via screen.width and screen.height. To make an applet + * run at full screen, use size(screen.width, screen.height). + *
+ * If you have multiple displays, this will be the size of the main + * display. Running full screen across multiple displays isn't + * particularly supported, and requires more monkeying with the values. + * This probably can't/won't be fixed until/unless I get a dual head + * system. + *
+ * Note that this won't update if you change the resolution + * of your screen once the the applet is running. + *
+ * This variable is not static, because future releases need to be better + * at handling multiple displays. + */ + public Dimension screen = + Toolkit.getDefaultToolkit().getScreenSize(); + + /** + * A leech graphics object that is echoing all events. + */ + public PGraphics recorder; + + /** + * Command line options passed in from main(). + *
+ * This does not include the arguments passed in to PApplet itself. + */ + public String args[]; + + /** Path to sketch folder */ + public String sketchPath; //folder; + + /** When debugging headaches */ + static final boolean THREAD_DEBUG = false; + + /** Default width and height for applet when not specified */ + static public final int DEFAULT_WIDTH = 100; + static public final int DEFAULT_HEIGHT = 100; + + /** + * Minimum dimensions for the window holding an applet. + * This varies between platforms, Mac OS X 10.3 can do any height + * but requires at least 128 pixels width. Windows XP has another + * set of limitations. And for all I know, Linux probably lets you + * make windows with negative sizes. + */ + static public final int MIN_WINDOW_WIDTH = 128; + static public final int MIN_WINDOW_HEIGHT = 128; + + /** + * Exception thrown when size() is called the first time. + *
+ * This is used internally so that setup() is forced to run twice
+ * when the renderer is changed. This is the only way for us to handle
+ * invoking the new renderer while also in the midst of rendering.
+ */
+ static public class RendererChangeException extends RuntimeException { }
+
+ /**
+ * true if no size() command has been executed. This is used to wait until
+ * a size has been set before placing in the window and showing it.
+ */
+ public boolean defaultSize;
+
+ volatile boolean resizeRequest;
+ volatile int resizeWidth;
+ volatile int resizeHeight;
+
+ /**
+ * Array containing the values for all the pixels in the display window. These values are of the color datatype. This array is the size of the display window. For example, if the image is 100x100 pixels, there will be 10000 values and if the window is 200x300 pixels, there will be 60000 values. The index value defines the position of a value within the array. For example, the statment color b = pixels[230] will set the variable b to be equal to the value at that location in the array.
Before accessing this array, the data must loaded with the loadPixels() function. After the array data has been modified, the updatePixels() function must be run to update the changes. Without loadPixels(), running the code may (or will in future releases) result in a NullPointerException.
+ * Pixel buffer from this applet's PGraphics.
+ *
+ * When used with OpenGL or Java2D, this value will + * be null until loadPixels() has been called. + * + * @webref image:pixels + * @see processing.core.PApplet#loadPixels() + * @see processing.core.PApplet#updatePixels() + * @see processing.core.PApplet#get(int, int, int, int) + * @see processing.core.PApplet#set(int, int, int) + * @see processing.core.PImage + */ + public int pixels[]; + + /** width of this applet's associated PGraphics + * @webref environment + */ + public int width; + + /** height of this applet's associated PGraphics + * @webref environment + * */ + public int height; + + /** + * The system variable mouseX always contains the current horizontal coordinate of the mouse. + * @webref input:mouse + * @see PApplet#mouseY + * @see PApplet#mousePressed + * @see PApplet#mousePressed() + * @see PApplet#mouseReleased() + * @see PApplet#mouseMoved() + * @see PApplet#mouseDragged() + * + * */ + public int mouseX; + + /** + * The system variable mouseY always contains the current vertical coordinate of the mouse. + * @webref input:mouse + * @see PApplet#mouseX + * @see PApplet#mousePressed + * @see PApplet#mousePressed() + * @see PApplet#mouseReleased() + * @see PApplet#mouseMoved() + * @see PApplet#mouseDragged() + * */ + public int mouseY; + + /** + * Previous x/y position of the mouse. This will be a different value + * when inside a mouse handler (like the mouseMoved() method) versus + * when inside draw(). Inside draw(), pmouseX is updated once each + * frame, but inside mousePressed() and friends, it's updated each time + * an event comes through. Be sure to use only one or the other type of + * means for tracking pmouseX and pmouseY within your sketch, otherwise + * you're gonna run into trouble. + * @webref input:mouse + * @see PApplet#pmouseY + * @see PApplet#mouseX + * @see PApplet#mouseY + */ + public int pmouseX; + + /** + * @webref input:mouse + * @see PApplet#pmouseX + * @see PApplet#mouseX + * @see PApplet#mouseY + */ + public int pmouseY; + + /** + * previous mouseX/Y for the draw loop, separated out because this is + * separate from the pmouseX/Y when inside the mouse event handlers. + */ + protected int dmouseX, dmouseY; + + /** + * pmouseX/Y for the event handlers (mousePressed(), mouseDragged() etc) + * these are different because mouse events are queued to the end of + * draw, so the previous position has to be updated on each event, + * as opposed to the pmouseX/Y that's used inside draw, which is expected + * to be updated once per trip through draw(). + */ + protected int emouseX, emouseY; + + /** + * Used to set pmouseX/Y to mouseX/Y the first time mouseX/Y are used, + * otherwise pmouseX/Y are always zero, causing a nasty jump. + *
+ * Just using (frameCount == 0) won't work since mouseXxxxx() + * may not be called until a couple frames into things. + */ + public boolean firstMouse; + + /** + * Processing automatically tracks if the mouse button is pressed and which button is pressed. + * The value of the system variable mouseButton is either LEFT, RIGHT, or CENTER depending on which button is pressed. + *
+ * If it's a coded key, i.e. UP/DOWN/CTRL/SHIFT/ALT,
+ * this will be set to CODED (0xffff or 65535).
+ * @webref input:keyboard
+ * @see PApplet#keyCode
+ * @see PApplet#keyPressed
+ * @see PApplet#keyPressed()
+ * @see PApplet#keyReleased()
+ */
+ public char key;
+
+ /**
+ * The variable keyCode is used to detect special keys such as the UP, DOWN, LEFT, RIGHT arrow keys and ALT, CONTROL, SHIFT.
+ * When checking for these keys, it's first necessary to check and see if the key is coded. This is done with the conditional "if (key == CODED)" as shown in the example.
+ *
The keys included in the ASCII specification (BACKSPACE, TAB, ENTER, RETURN, ESC, and DELETE) do not require checking to see if they key is coded, and you should simply use the key variable instead of keyCode
+ * If you're making cross-platform projects, note that the ENTER key is commonly used on PCs and Unix and the RETURN key is used instead on Macintosh.
+ * Check for both ENTER and RETURN to make sure your program will work for all platforms.
+ *
For users familiar with Java, the values for UP and DOWN are simply shorter versions of Java's KeyEvent.VK_UP and KeyEvent.VK_DOWN.
+ * Other keyCode values can be found in the Java KeyEvent reference.
+ *
+ * =advanced
+ * When "key" is set to CODED, this will contain a Java key code.
+ *
+ * For the arrow keys, keyCode will be one of UP, DOWN, LEFT and RIGHT. + * Also available are ALT, CONTROL and SHIFT. A full set of constants + * can be obtained from java.awt.event.KeyEvent, from the VK_XXXX variables. + * @webref input:keyboard + * @see PApplet#key + * @see PApplet#keyPressed + * @see PApplet#keyPressed() + * @see PApplet#keyReleased() + */ + public int keyCode; + + /** + * The boolean system variable keyPressed is true if any key is pressed and false if no keys are pressed. + * @webref input:keyboard + * @see PApplet#key + * @see PApplet#keyCode + * @see PApplet#keyPressed() + * @see PApplet#keyReleased() + */ + public boolean keyPressed; + + /** + * the last KeyEvent object passed into a mouse function. + */ + public KeyEvent keyEvent; + + /** + * Gets set to true/false as the applet gains/loses focus. + * @webref environment + */ + public boolean focused = false; + + /** + * true if the applet is online. + *
+ * This can be used to test how the applet should behave + * since online situations are different (no file writing, etc). + * @webref environment + */ + public boolean online = false; + + /** + * Time in milliseconds when the applet was started. + *
+ * Used by the millis() function. + */ + long millisOffset; + + /** + * The current value of frames per second. + *
+ * The initial value will be 10 fps, and will be updated with each + * frame thereafter. The value is not instantaneous (since that + * wouldn't be very useful since it would jump around so much), + * but is instead averaged (integrated) over several frames. + * As such, this value won't be valid until after 5-10 frames. + */ + public float frameRate = 10; + /** Last time in nanoseconds that frameRate was checked */ + protected long frameRateLastNanos = 0; + + /** As of release 0116, frameRate(60) is called as a default */ + protected float frameRateTarget = 60; + protected long frameRatePeriod = 1000000000L / 60L; + + protected boolean looping; + + /** flag set to true when a redraw is asked for by the user */ + protected boolean redraw; + + /** + * How many frames have been displayed since the applet started. + *
+ * This value is read-only do not attempt to set it, + * otherwise bad things will happen. + *
+ * Inside setup(), frameCount is 0. + * For the first iteration of draw(), frameCount will equal 1. + */ + public int frameCount; + + /** + * true if this applet has had it. + */ + public boolean finished; + + /** + * true if exit() has been called so that things shut down + * once the main thread kicks off. + */ + protected boolean exitCalled; + + Thread thread; + + protected RegisteredMethods sizeMethods; + protected RegisteredMethods preMethods, drawMethods, postMethods; + protected RegisteredMethods mouseEventMethods, keyEventMethods; + protected RegisteredMethods disposeMethods; + + // messages to send if attached as an external vm + + /** + * Position of the upper-lefthand corner of the editor window + * that launched this applet. + */ + static public final String ARGS_EDITOR_LOCATION = "--editor-location"; + + /** + * Location for where to position the applet window on screen. + *
+ * This is used by the editor to when saving the previous applet + * location, or could be used by other classes to launch at a + * specific position on-screen. + */ + static public final String ARGS_EXTERNAL = "--external"; + + static public final String ARGS_LOCATION = "--location"; + + static public final String ARGS_DISPLAY = "--display"; + + static public final String ARGS_BGCOLOR = "--bgcolor"; + + static public final String ARGS_PRESENT = "--present"; + + static public final String ARGS_EXCLUSIVE = "--exclusive"; + + static public final String ARGS_STOP_COLOR = "--stop-color"; + + static public final String ARGS_HIDE_STOP = "--hide-stop"; + + /** + * Allows the user or PdeEditor to set a specific sketch folder path. + *
+ * Used by PdeEditor to pass in the location where saveFrame() + * and all that stuff should write things. + */ + static public final String ARGS_SKETCH_FOLDER = "--sketch-path"; + + /** + * When run externally to a PdeEditor, + * this is sent by the applet when it quits. + */ + //static public final String EXTERNAL_QUIT = "__QUIT__"; + static public final String EXTERNAL_STOP = "__STOP__"; + + /** + * When run externally to a PDE Editor, this is sent by the applet + * whenever the window is moved. + *
+ * This is used so that the editor can re-open the sketch window + * in the same position as the user last left it. + */ + static public final String EXTERNAL_MOVE = "__MOVE__"; + + /** true if this sketch is being run by the PDE */ + boolean external = false; + + + static final String ERROR_MIN_MAX = + "Cannot use min() or max() on an empty array."; + + + // during rev 0100 dev cycle, working on new threading model, + // but need to disable and go conservative with changes in order + // to get pdf and audio working properly first. + // for 0116, the CRUSTY_THREADS are being disabled to fix lots of bugs. + //static final boolean CRUSTY_THREADS = false; //true; + + + public void init() { +// println("Calling init()"); + + // send tab keys through to the PApplet + setFocusTraversalKeysEnabled(false); + + millisOffset = System.currentTimeMillis(); + + finished = false; // just for clarity + + // this will be cleared by draw() if it is not overridden + looping = true; + redraw = true; // draw this guy once + firstMouse = true; + + // these need to be inited before setup + sizeMethods = new RegisteredMethods(); + preMethods = new RegisteredMethods(); + drawMethods = new RegisteredMethods(); + postMethods = new RegisteredMethods(); + mouseEventMethods = new RegisteredMethods(); + keyEventMethods = new RegisteredMethods(); + disposeMethods = new RegisteredMethods(); + + try { + getAppletContext(); + online = true; + } catch (NullPointerException e) { + online = false; + } + + try { + if (sketchPath == null) { + sketchPath = System.getProperty("user.dir"); + } + } catch (Exception e) { } // may be a security problem + + Dimension size = getSize(); + if ((size.width != 0) && (size.height != 0)) { + // When this PApplet is embedded inside a Java application with other + // Component objects, its size() may already be set externally (perhaps + // by a LayoutManager). In this case, honor that size as the default. + // Size of the component is set, just create a renderer. + g = makeGraphics(size.width, size.height, getSketchRenderer(), null, true); + // This doesn't call setSize() or setPreferredSize() because the fact + // that a size was already set means that someone is already doing it. + + } else { + // Set the default size, until the user specifies otherwise + this.defaultSize = true; + int w = getSketchWidth(); + int h = getSketchHeight(); + g = makeGraphics(w, h, getSketchRenderer(), null, true); + // Fire component resize event + setSize(w, h); + setPreferredSize(new Dimension(w, h)); + } + width = g.width; + height = g.height; + + addListeners(); + + // this is automatically called in applets + // though it's here for applications anyway + start(); + } + + + public int getSketchWidth() { + return DEFAULT_WIDTH; + } + + + public int getSketchHeight() { + return DEFAULT_HEIGHT; + } + + + public String getSketchRenderer() { + return JAVA2D; + } + + + /** + * Called by the browser or applet viewer to inform this applet that it + * should start its execution. It is called after the init method and + * each time the applet is revisited in a Web page. + *
+ * Called explicitly via the first call to PApplet.paint(), because + * PAppletGL needs to have a usable screen before getting things rolling. + */ + public void start() { + // When running inside a browser, start() will be called when someone + // returns to a page containing this applet. + // http://dev.processing.org/bugs/show_bug.cgi?id=581 + finished = false; + + if (thread != null) return; + thread = new Thread(this, "Animation Thread"); + thread.start(); + } + + + /** + * Called by the browser or applet viewer to inform + * this applet that it should stop its execution. + * + * Unfortunately, there are no guarantees from the Java spec + * when or if stop() will be called (i.e. on browser quit, + * or when moving between web pages), and it's not always called. + */ + public void stop() { + // bringing this back for 0111, hoping it'll help opengl shutdown + finished = true; // why did i comment this out? + + // don't run stop and disposers twice + if (thread == null) return; + thread = null; + + // call to shut down renderer, in case it needs it (pdf does) + if (g != null) g.dispose(); + + // maybe this should be done earlier? might help ensure it gets called + // before the vm just craps out since 1.5 craps out so aggressively. + disposeMethods.handle(); + } + + + /** + * Called by the browser or applet viewer to inform this applet + * that it is being reclaimed and that it should destroy + * any resources that it has allocated. + * + * This also attempts to call PApplet.stop(), in case there + * was an inadvertent override of the stop() function by a user. + * + * destroy() supposedly gets called as the applet viewer + * is shutting down the applet. stop() is called + * first, and then destroy() to really get rid of things. + * no guarantees on when they're run (on browser quit, or + * when moving between pages), though. + */ + public void destroy() { + ((PApplet)this).stop(); + } + + + /** + * This returns the last width and height specified by the user + * via the size() command. + */ +// public Dimension getPreferredSize() { +// return new Dimension(width, height); +// } + + +// public void addNotify() { +// super.addNotify(); +// println("addNotify()"); +// } + + + + ////////////////////////////////////////////////////////////// + + + public class RegisteredMethods { + int count; + Object objects[]; + Method methods[]; + + + // convenience version for no args + public void handle() { + handle(new Object[] { }); + } + + public void handle(Object oargs[]) { + for (int i = 0; i < count; i++) { + try { + //System.out.println(objects[i] + " " + args); + methods[i].invoke(objects[i], oargs); + } catch (Exception e) { + e.printStackTrace(); + } + } + } + + public void add(Object object, Method method) { + if (objects == null) { + objects = new Object[5]; + methods = new Method[5]; + } + if (count == objects.length) { + objects = (Object[]) PApplet.expand(objects); + methods = (Method[]) PApplet.expand(methods); +// Object otemp[] = new Object[count << 1]; +// System.arraycopy(objects, 0, otemp, 0, count); +// objects = otemp; +// Method mtemp[] = new Method[count << 1]; +// System.arraycopy(methods, 0, mtemp, 0, count); +// methods = mtemp; + } + objects[count] = object; + methods[count] = method; + count++; + } + + + /** + * Removes first object/method pair matched (and only the first, + * must be called multiple times if object is registered multiple times). + * Does not shrink array afterwards, silently returns if method not found. + */ + public void remove(Object object, Method method) { + int index = findIndex(object, method); + if (index != -1) { + // shift remaining methods by one to preserve ordering + count--; + for (int i = index; i < count; i++) { + objects[i] = objects[i+1]; + methods[i] = methods[i+1]; + } + // clean things out for the gc's sake + objects[count] = null; + methods[count] = null; + } + } + + protected int findIndex(Object object, Method method) { + for (int i = 0; i < count; i++) { + if (objects[i] == object && methods[i].equals(method)) { + //objects[i].equals() might be overridden, so use == for safety + // since here we do care about actual object identity + //methods[i]==method is never true even for same method, so must use + // equals(), this should be safe because of object identity + return i; + } + } + return -1; + } + } + + + public void registerSize(Object o) { + Class> methodArgs[] = new Class[] { Integer.TYPE, Integer.TYPE }; + registerWithArgs(sizeMethods, "size", o, methodArgs); + } + + public void registerPre(Object o) { + registerNoArgs(preMethods, "pre", o); + } + + public void registerDraw(Object o) { + registerNoArgs(drawMethods, "draw", o); + } + + public void registerPost(Object o) { + registerNoArgs(postMethods, "post", o); + } + + public void registerMouseEvent(Object o) { + Class> methodArgs[] = new Class[] { MouseEvent.class }; + registerWithArgs(mouseEventMethods, "mouseEvent", o, methodArgs); + } + + + public void registerKeyEvent(Object o) { + Class> methodArgs[] = new Class[] { KeyEvent.class }; + registerWithArgs(keyEventMethods, "keyEvent", o, methodArgs); + } + + public void registerDispose(Object o) { + registerNoArgs(disposeMethods, "dispose", o); + } + + + protected void registerNoArgs(RegisteredMethods meth, + String name, Object o) { + Class> c = o.getClass(); + try { + Method method = c.getMethod(name, new Class[] {}); + meth.add(o, method); + + } catch (NoSuchMethodException nsme) { + die("There is no public " + name + "() method in the class " + + o.getClass().getName()); + + } catch (Exception e) { + die("Could not register " + name + " + () for " + o, e); + } + } + + + protected void registerWithArgs(RegisteredMethods meth, + String name, Object o, Class> cargs[]) { + Class> c = o.getClass(); + try { + Method method = c.getMethod(name, cargs); + meth.add(o, method); + + } catch (NoSuchMethodException nsme) { + die("There is no public " + name + "() method in the class " + + o.getClass().getName()); + + } catch (Exception e) { + die("Could not register " + name + " + () for " + o, e); + } + } + + + public void unregisterSize(Object o) { + Class> methodArgs[] = new Class[] { Integer.TYPE, Integer.TYPE }; + unregisterWithArgs(sizeMethods, "size", o, methodArgs); + } + + public void unregisterPre(Object o) { + unregisterNoArgs(preMethods, "pre", o); + } + + public void unregisterDraw(Object o) { + unregisterNoArgs(drawMethods, "draw", o); + } + + public void unregisterPost(Object o) { + unregisterNoArgs(postMethods, "post", o); + } + + public void unregisterMouseEvent(Object o) { + Class> methodArgs[] = new Class[] { MouseEvent.class }; + unregisterWithArgs(mouseEventMethods, "mouseEvent", o, methodArgs); + } + + public void unregisterKeyEvent(Object o) { + Class> methodArgs[] = new Class[] { KeyEvent.class }; + unregisterWithArgs(keyEventMethods, "keyEvent", o, methodArgs); + } + + public void unregisterDispose(Object o) { + unregisterNoArgs(disposeMethods, "dispose", o); + } + + + protected void unregisterNoArgs(RegisteredMethods meth, + String name, Object o) { + Class> c = o.getClass(); + try { + Method method = c.getMethod(name, new Class[] {}); + meth.remove(o, method); + } catch (Exception e) { + die("Could not unregister " + name + "() for " + o, e); + } + } + + + protected void unregisterWithArgs(RegisteredMethods meth, + String name, Object o, Class> cargs[]) { + Class> c = o.getClass(); + try { + Method method = c.getMethod(name, cargs); + meth.remove(o, method); + } catch (Exception e) { + die("Could not unregister " + name + "() for " + o, e); + } + } + + + ////////////////////////////////////////////////////////////// + + + public void setup() { + } + + + public void draw() { + // if no draw method, then shut things down + //System.out.println("no draw method, goodbye"); + finished = true; + } + + + ////////////////////////////////////////////////////////////// + + + protected void resizeRenderer(int iwidth, int iheight) { +// println("resizeRenderer request for " + iwidth + " " + iheight); + if (width != iwidth || height != iheight) { +// println(" former size was " + width + " " + height); + g.setSize(iwidth, iheight); + width = iwidth; + height = iheight; + } + } + + + /** + * Defines the dimension of the display window in units of pixels. The size() function must be the first line in setup(). If size() is not called, the default size of the window is 100x100 pixels. The system variables width and height are set by the parameters passed to the size() function.+ * This should be the first thing called inside of setup(). + *
+ * If using Java 1.3 or later, this will default to using + * PGraphics2, the Java2D-based renderer. If using Java 1.1, + * or if PGraphics2 is not available, then PGraphics will be used. + * To set your own renderer, use the other version of the size() + * method that takes a renderer as its last parameter. + *
+ * If called once a renderer has already been set, this will
+ * use the previous renderer and simply resize it.
+ *
+ * @webref structure
+ * @param iwidth width of the display window in units of pixels
+ * @param iheight height of the display window in units of pixels
+ */
+ public void size(int iwidth, int iheight) {
+ size(iwidth, iheight, JAVA2D, null);
+ }
+
+ /**
+ *
+ * @param irenderer Either P2D, P3D, JAVA2D, or OPENGL
+ */
+ public void size(int iwidth, int iheight, String irenderer) {
+ size(iwidth, iheight, irenderer, null);
+ }
+
+
+ /**
+ * Creates a new PGraphics object and sets it to the specified size.
+ *
+ * Note that you cannot change the renderer once outside of setup().
+ * In most cases, you can call size() to give it a new size,
+ * but you need to always ask for the same renderer, otherwise
+ * you're gonna run into trouble.
+ *
+ * The size() method should *only* be called from inside the setup() or
+ * draw() methods, so that it is properly run on the main animation thread.
+ * To change the size of a PApplet externally, use setSize(), which will
+ * update the component size, and queue a resize of the renderer as well.
+ */
+ public void size(final int iwidth, final int iheight,
+ String irenderer, String ipath) {
+ // Run this from the EDT, just cuz it's AWT stuff (or maybe later Swing)
+ SwingUtilities.invokeLater(new Runnable() {
+ public void run() {
+ // Set the preferred size so that the layout managers can handle it
+ setPreferredSize(new Dimension(iwidth, iheight));
+ setSize(iwidth, iheight);
+ }
+ });
+
+ // ensure that this is an absolute path
+ if (ipath != null) ipath = savePath(ipath);
+
+ String currentRenderer = g.getClass().getName();
+ if (currentRenderer.equals(irenderer)) {
+ // Avoid infinite loop of throwing exception to reset renderer
+ resizeRenderer(iwidth, iheight);
+ //redraw(); // will only be called insize draw()
+
+ } else { // renderer is being changed
+ // otherwise ok to fall through and create renderer below
+ // the renderer is changing, so need to create a new object
+ g = makeGraphics(iwidth, iheight, irenderer, ipath, true);
+ width = iwidth;
+ height = iheight;
+
+ // fire resize event to make sure the applet is the proper size
+// setSize(iwidth, iheight);
+ // this is the function that will run if the user does their own
+ // size() command inside setup, so set defaultSize to false.
+ defaultSize = false;
+
+ // throw an exception so that setup() is called again
+ // but with a properly sized render
+ // this is for opengl, which needs a valid, properly sized
+ // display before calling anything inside setup().
+ throw new RendererChangeException();
+ }
+ }
+
+
+ /**
+ * Creates and returns a new PGraphics object of the types P2D, P3D, and JAVA2D. Use this class if you need to draw into an off-screen graphics buffer. It's not possible to use createGraphics() with OPENGL, because it doesn't allow offscreen use. The DXF and PDF renderers require the filename parameter.
+ *
It's important to call any drawing commands between beginDraw() and endDraw() statements. This is also true for any commands that affect drawing, such as smooth() or colorMode().
+ *
Unlike the main drawing surface which is completely opaque, surfaces created with createGraphics() can have transparency. This makes it possible to draw into a graphics and maintain the alpha channel. By using save() to write a PNG or TGA file, the transparency of the graphics object will be honored. Note that transparency levels are binary: pixels are either complete opaque or transparent. For the time being (as of release 0127), this means that text characters will be opaque blocks. This will be fixed in a future release (Bug 641).
+ *
+ * =advanced
+ * Create an offscreen PGraphics object for drawing. This can be used
+ * for bitmap or vector images drawing or rendering.
+ *
+ * + * PGraphics big; + * + * void setup() { + * big = createGraphics(3000, 3000, P3D); + * + * big.beginDraw(); + * big.background(128); + * big.line(20, 1800, 1800, 900); + * // etc.. + * big.endDraw(); + * + * // make sure the file is written to the sketch folder + * big.save("big.tif"); + * } + * + *+ *
+ * Examples for key handling: + * (Tested on Windows XP, please notify if different on other + * platforms, I have a feeling Mac OS and Linux may do otherwise) + *
+ * 1. Pressing 'a' on the keyboard: + * keyPressed with key == 'a' and keyCode == 'A' + * keyTyped with key == 'a' and keyCode == 0 + * keyReleased with key == 'a' and keyCode == 'A' + * + * 2. Pressing 'A' on the keyboard: + * keyPressed with key == 'A' and keyCode == 'A' + * keyTyped with key == 'A' and keyCode == 0 + * keyReleased with key == 'A' and keyCode == 'A' + * + * 3. Pressing 'shift', then 'a' on the keyboard (caps lock is off): + * keyPressed with key == CODED and keyCode == SHIFT + * keyPressed with key == 'A' and keyCode == 'A' + * keyTyped with key == 'A' and keyCode == 0 + * keyReleased with key == 'A' and keyCode == 'A' + * keyReleased with key == CODED and keyCode == SHIFT + * + * 4. Holding down the 'a' key. + * The following will happen several times, + * depending on your machine's "key repeat rate" settings: + * keyPressed with key == 'a' and keyCode == 'A' + * keyTyped with key == 'a' and keyCode == 0 + * When you finally let go, you'll get: + * keyReleased with key == 'a' and keyCode == 'A' + * + * 5. Pressing and releasing the 'shift' key + * keyPressed with key == CODED and keyCode == SHIFT + * keyReleased with key == CODED and keyCode == SHIFT + * (note there is no keyTyped) + * + * 6. Pressing the tab key in an applet with Java 1.4 will + * normally do nothing, but PApplet dynamically shuts + * this behavior off if Java 1.4 is in use (tested 1.4.2_05 Windows). + * Java 1.1 (Microsoft VM) passes the TAB key through normally. + * Not tested on other platforms or for 1.3. + *+ * @see PApplet#key + * @see PApplet#keyCode + * @see PApplet#keyPressed + * @see PApplet#keyReleased() + * @webref input:keyboard + */ + public void keyPressed() { } + + + /** + * The keyReleased() function is called once every time a key is released. The key that was released will be stored in the key variable. See key and keyReleased for more information. + * + * @see PApplet#key + * @see PApplet#keyCode + * @see PApplet#keyPressed + * @see PApplet#keyPressed() + * @webref input:keyboard + */ + public void keyReleased() { } + + + /** + * Only called for "regular" keys like letters, + * see keyPressed() for full documentation. + */ + public void keyTyped() { } + + + ////////////////////////////////////////////////////////////// + + // i am focused man, and i'm not afraid of death. + // and i'm going all out. i circle the vultures in a van + // and i run the block. + + + public void focusGained() { } + + public void focusGained(FocusEvent e) { + focused = true; + focusGained(); + } + + + public void focusLost() { } + + public void focusLost(FocusEvent e) { + focused = false; + focusLost(); + } + + + ////////////////////////////////////////////////////////////// + + // getting the time + + + /** + * Returns the number of milliseconds (thousandths of a second) since starting an applet. This information is often used for timing animation sequences. + * + * =advanced + *
+ * This is a function, rather than a variable, because it may + * change multiple times per frame. + * + * @webref input:time_date + * @see processing.core.PApplet#second() + * @see processing.core.PApplet#minute() + * @see processing.core.PApplet#hour() + * @see processing.core.PApplet#day() + * @see processing.core.PApplet#month() + * @see processing.core.PApplet#year() + * + */ + public int millis() { + return (int) (System.currentTimeMillis() - millisOffset); + } + + /** Seconds position of the current time. + * + * @webref input:time_date + * @see processing.core.PApplet#millis() + * @see processing.core.PApplet#minute() + * @see processing.core.PApplet#hour() + * @see processing.core.PApplet#day() + * @see processing.core.PApplet#month() + * @see processing.core.PApplet#year() + * */ + static public int second() { + return Calendar.getInstance().get(Calendar.SECOND); + } + + /** + * Processing communicates with the clock on your computer. The minute() function returns the current minute as a value from 0 - 59. + * + * @webref input:time_date + * @see processing.core.PApplet#millis() + * @see processing.core.PApplet#second() + * @see processing.core.PApplet#hour() + * @see processing.core.PApplet#day() + * @see processing.core.PApplet#month() + * @see processing.core.PApplet#year() + * + * */ + static public int minute() { + return Calendar.getInstance().get(Calendar.MINUTE); + } + + /** + * Processing communicates with the clock on your computer. The hour() function returns the current hour as a value from 0 - 23. + * =advanced + * Hour position of the current time in international format (0-23). + *
+ * To convert this value to American time:
+ *
int yankeeHour = (hour() % 12); + * if (yankeeHour == 0) yankeeHour = 12;+ * + * @webref input:time_date + * @see processing.core.PApplet#millis() + * @see processing.core.PApplet#second() + * @see processing.core.PApplet#minute() + * @see processing.core.PApplet#day() + * @see processing.core.PApplet#month() + * @see processing.core.PApplet#year() + * + */ + static public int hour() { + return Calendar.getInstance().get(Calendar.HOUR_OF_DAY); + } + + /** + * Processing communicates with the clock on your computer. The day() function returns the current day as a value from 1 - 31. + * =advanced + * Get the current day of the month (1 through 31). + *
+ * If you're looking for the day of the week (M-F or whatever)
+ * or day of the year (1..365) then use java's Calendar.get()
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
+ */
+ static public int day() {
+ return Calendar.getInstance().get(Calendar.DAY_OF_MONTH);
+ }
+
+ /**
+ * Processing communicates with the clock on your computer. The month() function returns the current month as a value from 1 - 12.
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#year()
+ */
+ static public int month() {
+ // months are number 0..11 so change to colloquial 1..12
+ return Calendar.getInstance().get(Calendar.MONTH) + 1;
+ }
+
+ /**
+ * Processing communicates with the clock on your computer.
+ * The year() function returns the current year as an integer (2003, 2004, 2005, etc).
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
+ */
+ static public int year() {
+ return Calendar.getInstance().get(Calendar.YEAR);
+ }
+
+
+ //////////////////////////////////////////////////////////////
+
+ // controlling time (playing god)
+
+
+ /**
+ * The delay() function causes the program to halt for a specified time.
+ * Delay times are specified in thousandths of a second. For example,
+ * running delay(3000) will stop the program for three seconds and
+ * delay(500) will stop the program for a half-second. Remember: the
+ * display window is updated only at the end of draw(), so putting more
+ * than one delay() inside draw() will simply add them together and the new
+ * frame will be drawn when the total delay is over.
+ *
+ * I'm not sure if this is even helpful anymore, as the screen isn't
+ * updated before or after the delay, meaning which means it just
+ * makes the app lock up temporarily.
+ */
+ public void delay(int napTime) {
+ if (frameCount != 0) {
+ if (napTime > 0) {
+ try {
+ Thread.sleep(napTime);
+ } catch (InterruptedException e) { }
+ }
+ }
+ }
+
+
+ /**
+ * Specifies the number of frames to be displayed every second.
+ * If the processor is not fast enough to maintain the specified rate, it will not be achieved.
+ * For example, the function call frameRate(30) will attempt to refresh 30 times a second.
+ * It is recommended to set the frame rate within setup(). The default rate is 60 frames per second.
+ * =advanced
+ * Set a target frameRate. This will cause delay() to be called
+ * after each frame so that the sketch synchronizes to a particular speed.
+ * Note that this only sets the maximum frame rate, it cannot be used to
+ * make a slow sketch go faster. Sketches have no default frame rate
+ * setting, and will attempt to use maximum processor power to achieve
+ * maximum speed.
+ * @webref environment
+ * @param newRateTarget number of frames per second
+ * @see PApplet#delay(int)
+ */
+ public void frameRate(float newRateTarget) {
+ frameRateTarget = newRateTarget;
+ frameRatePeriod = (long) (1000000000.0 / frameRateTarget);
+ }
+
+
+ //////////////////////////////////////////////////////////////
+
+
+ /**
+ * Reads the value of a param.
+ * Values are always read as a String so if you want them to be an integer or other datatype they must be converted.
+ * The param() function will only work in a web browser.
+ * The function should be called inside setup(),
+ * otherwise the applet may not yet be initialized and connected to its parent web browser.
+ *
+ * @webref input:web
+ * @usage Web
+ *
+ * @param what name of the param to read
+ */
+ public String param(String what) {
+ if (online) {
+ return getParameter(what);
+
+ } else {
+ System.err.println("param() only works inside a web browser");
+ }
+ return null;
+ }
+
+
+ /**
+ * Displays message in the browser's status area. This is the text area in the lower left corner of the browser.
+ * The status() function will only work when the Processing program is running in a web browser.
+ * =advanced
+ * Show status in the status bar of a web browser, or in the
+ * System.out console. Eventually this might show status in the
+ * p5 environment itself, rather than relying on the console.
+ *
+ * @webref input:web
+ * @usage Web
+ * @param what any valid String
+ */
+ public void status(String what) {
+ if (online) {
+ showStatus(what);
+
+ } else {
+ System.out.println(what); // something more interesting?
+ }
+ }
+
+
+ public void link(String here) {
+ link(here, null);
+ }
+
+
+ /**
+ * Links to a webpage either in the same window or in a new window. The complete URL must be specified.
+ * =advanced
+ * Link to an external page without all the muss.
+ *
+ * When run with an applet, uses the browser to open the url, + * for applications, attempts to launch a browser with the url. + *
+ * Works on Mac OS X and Windows. For Linux, use: + *
open(new String[] { "firefox", url });+ * or whatever you want as your browser, since Linux doesn't + * yet have a standard method for launching URLs. + * + * @webref input:web + * @param url complete url as a String in quotes + * @param frameTitle name of the window to load the URL as a string in quotes + * + */ + public void link(String url, String frameTitle) { + if (online) { + try { + if (frameTitle == null) { + getAppletContext().showDocument(new URL(url)); + } else { + getAppletContext().showDocument(new URL(url), frameTitle); + } + } catch (Exception e) { + e.printStackTrace(); + throw new RuntimeException("Could not open " + url); + } + } else { + try { + if (platform == WINDOWS) { + // the following uses a shell execute to launch the .html file + // note that under cygwin, the .html files have to be chmodded +x + // after they're unpacked from the zip file. i don't know why, + // and don't understand what this does in terms of windows + // permissions. without the chmod, the command prompt says + // "Access is denied" in both cygwin and the "dos" prompt. + //Runtime.getRuntime().exec("cmd /c " + currentDir + "\\reference\\" + + // referenceFile + ".html"); + + // replace ampersands with control sequence for DOS. + // solution contributed by toxi on the bugs board. + url = url.replaceAll("&","^&"); + + // open dos prompt, give it 'start' command, which will + // open the url properly. start by itself won't work since + // it appears to need cmd + Runtime.getRuntime().exec("cmd /c start " + url); + + } else if (platform == MACOSX) { + //com.apple.mrj.MRJFileUtils.openURL(url); + try { +// Class> mrjFileUtils = Class.forName("com.apple.mrj.MRJFileUtils"); +// Method openMethod = +// mrjFileUtils.getMethod("openURL", new Class[] { String.class }); + Class> eieio = Class.forName("com.apple.eio.FileManager"); + Method openMethod = + eieio.getMethod("openURL", new Class[] { String.class }); + openMethod.invoke(null, new Object[] { url }); + } catch (Exception e) { + e.printStackTrace(); + } + } else { + //throw new RuntimeException("Can't open URLs for this platform"); + // Just pass it off to open() and hope for the best + open(url); + } + } catch (IOException e) { + e.printStackTrace(); + throw new RuntimeException("Could not open " + url); + } + } + } + + + /** + * Attempts to open an application or file using your platform's launcher. The file parameter is a String specifying the file name and location. The location parameter must be a full path name, or the name of an executable in the system's PATH. In most cases, using a full path is the best option, rather than relying on the system PATH. Be sure to make the file executable before attempting to open it (chmod +x). + *
+ * Best used just before endDraw() at the end of your draw(). + * This can only create .tif or .tga images, so if neither extension + * is specified it defaults to writing a tiff and adds a .tif suffix. + */ + public void saveFrame() { + try { + g.save(savePath("screen-" + nf(frameCount, 4) + ".tif")); + } catch (SecurityException se) { + System.err.println("Can't use saveFrame() when running in a browser, " + + "unless using a signed applet."); + } + } + + + /** + * Save the current frame as a .tif or .tga image. + *
+ * The String passed in can contain a series of # signs + * that will be replaced with the screengrab number. + *
+ * i.e. saveFrame("blah-####.tif"); + * // saves a numbered tiff image, replacing the + * // #### signs with zeros and the frame number+ */ + public void saveFrame(String what) { + try { + g.save(savePath(insertFrame(what))); + } catch (SecurityException se) { + System.err.println("Can't use saveFrame() when running in a browser, " + + "unless using a signed applet."); + } + } + + + /** + * Check a string for #### signs to see if the frame number should be + * inserted. Used for functions like saveFrame() and beginRecord() to + * replace the # marks with the frame number. If only one # is used, + * it will be ignored, under the assumption that it's probably not + * intended to be the frame number. + */ + protected String insertFrame(String what) { + int first = what.indexOf('#'); + int last = what.lastIndexOf('#'); + + if ((first != -1) && (last - first > 0)) { + String prefix = what.substring(0, first); + int count = last - first + 1; + String suffix = what.substring(last + 1); + return prefix + nf(frameCount, count) + suffix; + } + return what; // no change + } + + + + ////////////////////////////////////////////////////////////// + + // CURSOR + + // + + + int cursorType = ARROW; // cursor type + boolean cursorVisible = true; // cursor visibility flag + PImage invisibleCursor; + + + /** + * Set the cursor type + * @param cursorType either ARROW, CROSS, HAND, MOVE, TEXT, WAIT + */ + public void cursor(int cursorType) { + setCursor(Cursor.getPredefinedCursor(cursorType)); + cursorVisible = true; + this.cursorType = cursorType; + } + + + /** + * Replace the cursor with the specified PImage. The x- and y- + * coordinate of the center will be the center of the image. + */ + public void cursor(PImage image) { + cursor(image, image.width/2, image.height/2); + } + + + /** + * Sets the cursor to a predefined symbol, an image, or turns it on if already hidden. + * If you are trying to set an image as the cursor, it is recommended to make the size 16x16 or 32x32 pixels. + * It is not possible to load an image as the cursor if you are exporting your program for the Web. + * The values for parameters x and y must be less than the dimensions of the image. + * =advanced + * Set a custom cursor to an image with a specific hotspot. + * Only works with JDK 1.2 and later. + * Currently seems to be broken on Java 1.4 for Mac OS X + *
+ * Based on code contributed by Amit Pitaru, plus additional + * code to handle Java versions via reflection by Jonathan Feinberg. + * Reflection removed for release 0128 and later. + * @webref environment + * @see PApplet#noCursor() + * @param image any variable of type PImage + * @param hotspotX the horizonal active spot of the cursor + * @param hotspotY the vertical active spot of the cursor + */ + public void cursor(PImage image, int hotspotX, int hotspotY) { + // don't set this as cursor type, instead use cursor_type + // to save the last cursor used in case cursor() is called + //cursor_type = Cursor.CUSTOM_CURSOR; + Image jimage = + createImage(new MemoryImageSource(image.width, image.height, + image.pixels, 0, image.width)); + Point hotspot = new Point(hotspotX, hotspotY); + Toolkit tk = Toolkit.getDefaultToolkit(); + Cursor cursor = tk.createCustomCursor(jimage, hotspot, "Custom Cursor"); + setCursor(cursor); + cursorVisible = true; + } + + + /** + * Show the cursor after noCursor() was called. + * Notice that the program remembers the last set cursor type + */ + public void cursor() { + // maybe should always set here? seems dangerous, since + // it's likely that java will set the cursor to something + // else on its own, and the applet will be stuck b/c bagel + // thinks that the cursor is set to one particular thing + if (!cursorVisible) { + cursorVisible = true; + setCursor(Cursor.getPredefinedCursor(cursorType)); + } + } + + + /** + * Hides the cursor from view. Will not work when running the program in a web browser. + * =advanced + * Hide the cursor by creating a transparent image + * and using it as a custom cursor. + * @webref environment + * @see PApplet#cursor() + * @usage Application + */ + public void noCursor() { + if (!cursorVisible) return; // don't hide if already hidden. + + if (invisibleCursor == null) { + invisibleCursor = new PImage(16, 16, ARGB); + } + // was formerly 16x16, but the 0x0 was added by jdf as a fix + // for macosx, which wasn't honoring the invisible cursor + cursor(invisibleCursor, 8, 8); + cursorVisible = false; + } + + + ////////////////////////////////////////////////////////////// + + + static public void print(byte what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(boolean what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(char what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(int what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(float what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(String what) { + System.out.print(what); + System.out.flush(); + } + + static public void print(Object what) { + if (what == null) { + // special case since this does fuggly things on > 1.1 + System.out.print("null"); + } else { + System.out.println(what.toString()); + } + } + + // + + static public void println() { + System.out.println(); + } + + // + + static public void println(byte what) { + print(what); System.out.println(); + } + + static public void println(boolean what) { + print(what); System.out.println(); + } + + static public void println(char what) { + print(what); System.out.println(); + } + + static public void println(int what) { + print(what); System.out.println(); + } + + static public void println(float what) { + print(what); System.out.println(); + } + + static public void println(String what) { + print(what); System.out.println(); + } + + static public void println(Object what) { + if (what == null) { + // special case since this does fuggly things on > 1.1 + System.out.println("null"); + + } else { + String name = what.getClass().getName(); + if (name.charAt(0) == '[') { + switch (name.charAt(1)) { + case '[': + // don't even mess with multi-dimensional arrays (case '[') + // or anything else that's not int, float, boolean, char + System.out.println(what); + break; + + case 'L': + // print a 1D array of objects as individual elements + Object poo[] = (Object[]) what; + for (int i = 0; i < poo.length; i++) { + if (poo[i] instanceof String) { + System.out.println("[" + i + "] \"" + poo[i] + "\""); + } else { + System.out.println("[" + i + "] " + poo[i]); + } + } + break; + + case 'Z': // boolean + boolean zz[] = (boolean[]) what; + for (int i = 0; i < zz.length; i++) { + System.out.println("[" + i + "] " + zz[i]); + } + break; + + case 'B': // byte + byte bb[] = (byte[]) what; + for (int i = 0; i < bb.length; i++) { + System.out.println("[" + i + "] " + bb[i]); + } + break; + + case 'C': // char + char cc[] = (char[]) what; + for (int i = 0; i < cc.length; i++) { + System.out.println("[" + i + "] '" + cc[i] + "'"); + } + break; + + case 'I': // int + int ii[] = (int[]) what; + for (int i = 0; i < ii.length; i++) { + System.out.println("[" + i + "] " + ii[i]); + } + break; + + case 'F': // float + float ff[] = (float[]) what; + for (int i = 0; i < ff.length; i++) { + System.out.println("[" + i + "] " + ff[i]); + } + break; + + /* + case 'D': // double + double dd[] = (double[]) what; + for (int i = 0; i < dd.length; i++) { + System.out.println("[" + i + "] " + dd[i]); + } + break; + */ + + default: + System.out.println(what); + } + } else { // not an array + System.out.println(what); + } + } + } + + // + + /* + // not very useful, because it only works for public (and protected?) + // fields of a class, not local variables to methods + public void printvar(String name) { + try { + Field field = getClass().getDeclaredField(name); + println(name + " = " + field.get(this)); + } catch (Exception e) { + e.printStackTrace(); + } + } + */ + + + ////////////////////////////////////////////////////////////// + + // MATH + + // lots of convenience methods for math with floats. + // doubles are overkill for processing applets, and casting + // things all the time is annoying, thus the functions below. + + + static public final float abs(float n) { + return (n < 0) ? -n : n; + } + + static public final int abs(int n) { + return (n < 0) ? -n : n; + } + + static public final float sq(float a) { + return a*a; + } + + static public final float sqrt(float a) { + return (float)Math.sqrt(a); + } + + static public final float log(float a) { + return (float)Math.log(a); + } + + static public final float exp(float a) { + return (float)Math.exp(a); + } + + static public final float pow(float a, float b) { + return (float)Math.pow(a, b); + } + + + static public final int max(int a, int b) { + return (a > b) ? a : b; + } + + static public final float max(float a, float b) { + return (a > b) ? a : b; + } + + /* + static public final double max(double a, double b) { + return (a > b) ? a : b; + } + */ + + + static public final int max(int a, int b, int c) { + return (a > b) ? ((a > c) ? a : c) : ((b > c) ? b : c); + } + + static public final float max(float a, float b, float c) { + return (a > b) ? ((a > c) ? a : c) : ((b > c) ? b : c); + } + + + /** + * Find the maximum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The maximum value + */ + static public final int max(int[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + int max = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] > max) max = list[i]; + } + return max; + } + + /** + * Find the maximum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The maximum value + */ + static public final float max(float[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + float max = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] > max) max = list[i]; + } + return max; + } + + + /** + * Find the maximum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The maximum value + */ + /* + static public final double max(double[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + double max = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] > max) max = list[i]; + } + return max; + } + */ + + + static public final int min(int a, int b) { + return (a < b) ? a : b; + } + + static public final float min(float a, float b) { + return (a < b) ? a : b; + } + + /* + static public final double min(double a, double b) { + return (a < b) ? a : b; + } + */ + + + static public final int min(int a, int b, int c) { + return (a < b) ? ((a < c) ? a : c) : ((b < c) ? b : c); + } + + static public final float min(float a, float b, float c) { + return (a < b) ? ((a < c) ? a : c) : ((b < c) ? b : c); + } + + /* + static public final double min(double a, double b, double c) { + return (a < b) ? ((a < c) ? a : c) : ((b < c) ? b : c); + } + */ + + + /** + * Find the minimum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The minimum value + */ + static public final int min(int[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + int min = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] < min) min = list[i]; + } + return min; + } + + + /** + * Find the minimum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The minimum value + */ + static public final float min(float[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + float min = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] < min) min = list[i]; + } + return min; + } + + + /** + * Find the minimum value in an array. + * Throws an ArrayIndexOutOfBoundsException if the array is length 0. + * @param list the source array + * @return The minimum value + */ + /* + static public final double min(double[] list) { + if (list.length == 0) { + throw new ArrayIndexOutOfBoundsException(ERROR_MIN_MAX); + } + double min = list[0]; + for (int i = 1; i < list.length; i++) { + if (list[i] < min) min = list[i]; + } + return min; + } + */ + + static public final int constrain(int amt, int low, int high) { + return (amt < low) ? low : ((amt > high) ? high : amt); + } + + static public final float constrain(float amt, float low, float high) { + return (amt < low) ? low : ((amt > high) ? high : amt); + } + + + static public final float sin(float angle) { + return (float)Math.sin(angle); + } + + static public final float cos(float angle) { + return (float)Math.cos(angle); + } + + static public final float tan(float angle) { + return (float)Math.tan(angle); + } + + + static public final float asin(float value) { + return (float)Math.asin(value); + } + + static public final float acos(float value) { + return (float)Math.acos(value); + } + + static public final float atan(float value) { + return (float)Math.atan(value); + } + + static public final float atan2(float a, float b) { + return (float)Math.atan2(a, b); + } + + + static public final float degrees(float radians) { + return radians * RAD_TO_DEG; + } + + static public final float radians(float degrees) { + return degrees * DEG_TO_RAD; + } + + + static public final int ceil(float what) { + return (int) Math.ceil(what); + } + + static public final int floor(float what) { + return (int) Math.floor(what); + } + + static public final int round(float what) { + return (int) Math.round(what); + } + + + static public final float mag(float a, float b) { + return (float)Math.sqrt(a*a + b*b); + } + + static public final float mag(float a, float b, float c) { + return (float)Math.sqrt(a*a + b*b + c*c); + } + + + static public final float dist(float x1, float y1, float x2, float y2) { + return sqrt(sq(x2-x1) + sq(y2-y1)); + } + + static public final float dist(float x1, float y1, float z1, + float x2, float y2, float z2) { + return sqrt(sq(x2-x1) + sq(y2-y1) + sq(z2-z1)); + } + + + static public final float lerp(float start, float stop, float amt) { + return start + (stop-start) * amt; + } + + /** + * Normalize a value to exist between 0 and 1 (inclusive). + * Mathematically the opposite of lerp(), figures out what proportion + * a particular value is relative to start and stop coordinates. + */ + static public final float norm(float value, float start, float stop) { + return (value - start) / (stop - start); + } + + /** + * Convenience function to map a variable from one coordinate space + * to another. Equivalent to unlerp() followed by lerp(). + */ + static public final float map(float value, + float istart, float istop, + float ostart, float ostop) { + return ostart + (ostop - ostart) * ((value - istart) / (istop - istart)); + } + + + /* + static public final double map(double value, + double istart, double istop, + double ostart, double ostop) { + return ostart + (ostop - ostart) * ((value - istart) / (istop - istart)); + } + */ + + + + ////////////////////////////////////////////////////////////// + + // RANDOM NUMBERS + + + Random internalRandom; + + /** + * Return a random number in the range [0, howbig). + *
+ * The number returned will range from zero up to + * (but not including) 'howbig'. + */ + public final float random(float howbig) { + // for some reason (rounding error?) Math.random() * 3 + // can sometimes return '3' (once in ~30 million tries) + // so a check was added to avoid the inclusion of 'howbig' + + // avoid an infinite loop + if (howbig == 0) return 0; + + // internal random number object + if (internalRandom == null) internalRandom = new Random(); + + float value = 0; + do { + //value = (float)Math.random() * howbig; + value = internalRandom.nextFloat() * howbig; + } while (value == howbig); + return value; + } + + + /** + * Return a random number in the range [howsmall, howbig). + *
+ * The number returned will range from 'howsmall' up to + * (but not including 'howbig'. + *
+ * If howsmall is >= howbig, howsmall will be returned,
+ * meaning that random(5, 5) will return 5 (useful)
+ * and random(7, 4) will return 7 (not useful.. better idea?)
+ */
+ public final float random(float howsmall, float howbig) {
+ if (howsmall >= howbig) return howsmall;
+ float diff = howbig - howsmall;
+ return random(diff) + howsmall;
+ }
+
+
+ public final void randomSeed(long what) {
+ // internal random number object
+ if (internalRandom == null) internalRandom = new Random();
+ internalRandom.setSeed(what);
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // PERLIN NOISE
+
+ // [toxi 040903]
+ // octaves and amplitude amount per octave are now user controlled
+ // via the noiseDetail() function.
+
+ // [toxi 030902]
+ // cleaned up code and now using bagel's cosine table to speed up
+
+ // [toxi 030901]
+ // implementation by the german demo group farbrausch
+ // as used in their demo "art": http://www.farb-rausch.de/fr010src.zip
+
+ static final int PERLIN_YWRAPB = 4;
+ static final int PERLIN_YWRAP = 1<
+ * Generally, loadImage() should only be used during setup, because
+ * re-loading images inside draw() is likely to cause a significant
+ * delay while memory is allocated and the thread blocks while waiting
+ * for the image to load because loading is not asynchronous.
+ *
+ * To load several images asynchronously, see more information in the
+ * FAQ about writing your own threaded image loading method.
+ *
+ * As of 0096, returns null if no image of that name is found,
+ * rather than an error.
+ *
+ * Release 0115 also provides support for reading TIFF and RLE-encoded
+ * Targa (.tga) files written by Processing via save() and saveFrame().
+ * Other TIFF and Targa files will probably not load, use a different
+ * format (gif, jpg and png are safest bets) when creating images with
+ * another application to use with Processing.
+ *
+ * Also in release 0115, more image formats (BMP and others) can
+ * be read when using Java 1.4 and later. Because many people still
+ * use Java 1.1 and 1.3, these formats are not recommended for
+ * work that will be posted on the web. To get a list of possible
+ * image formats for use with Java 1.4 and later, use the following:
+ * println(javax.imageio.ImageIO.getReaderFormatNames())
+ *
+ * Images are loaded via a byte array that is passed to
+ * Toolkit.createImage(). Unfortunately, we cannot use Applet.getImage()
+ * because it takes a URL argument, which would be a pain in the a--
+ * to make work consistently for online and local sketches.
+ * Sometimes this causes problems, resulting in issues like
+ * Bug 279
+ * and
+ * Bug 305.
+ * In release 0115, everything was instead run through javax.imageio,
+ * but that turned out to be very slow, see
+ * Bug 392.
+ * As a result, starting with 0116, the following happens:
+ *
+ * Rewritten for 0115 to read/write RLE-encoded targa images.
+ * For 0125, non-RLE encoded images are now supported, along with
+ * images whose y-order is reversed (which is standard for TGA files).
+ */
+ protected PImage loadImageTGA(String filename) throws IOException {
+ InputStream is = createInput(filename);
+ if (is == null) return null;
+
+ byte header[] = new byte[18];
+ int offset = 0;
+ do {
+ int count = is.read(header, offset, header.length - offset);
+ if (count == -1) return null;
+ offset += count;
+ } while (offset < 18);
+
+ /*
+ header[2] image type code
+ 2 (0x02) - Uncompressed, RGB images.
+ 3 (0x03) - Uncompressed, black and white images.
+ 10 (0x0A) - Runlength encoded RGB images.
+ 11 (0x0B) - Compressed, black and white images. (grayscale?)
+
+ header[16] is the bit depth (8, 24, 32)
+
+ header[17] image descriptor (packed bits)
+ 0x20 is 32 = origin upper-left
+ 0x28 is 32 + 8 = origin upper-left + 32 bits
+
+ 7 6 5 4 3 2 1 0
+ 128 64 32 16 8 4 2 1
+ */
+
+ int format = 0;
+
+ if (((header[2] == 3) || (header[2] == 11)) && // B&W, plus RLE or not
+ (header[16] == 8) && // 8 bits
+ ((header[17] == 0x8) || (header[17] == 0x28))) { // origin, 32 bit
+ format = ALPHA;
+
+ } else if (((header[2] == 2) || (header[2] == 10)) && // RGB, RLE or not
+ (header[16] == 24) && // 24 bits
+ ((header[17] == 0x20) || (header[17] == 0))) { // origin
+ format = RGB;
+
+ } else if (((header[2] == 2) || (header[2] == 10)) &&
+ (header[16] == 32) &&
+ ((header[17] == 0x8) || (header[17] == 0x28))) { // origin, 32
+ format = ARGB;
+ }
+
+ if (format == 0) {
+ System.err.println("Unknown .tga file format for " + filename);
+ //" (" + header[2] + " " +
+ //(header[16] & 0xff) + " " +
+ //hex(header[17], 2) + ")");
+ return null;
+ }
+
+ int w = ((header[13] & 0xff) << 8) + (header[12] & 0xff);
+ int h = ((header[15] & 0xff) << 8) + (header[14] & 0xff);
+ PImage outgoing = createImage(w, h, format);
+
+ // where "reversed" means upper-left corner (normal for most of
+ // the modernized world, but "reversed" for the tga spec)
+ boolean reversed = (header[17] & 0x20) != 0;
+
+ if ((header[2] == 2) || (header[2] == 3)) { // not RLE encoded
+ if (reversed) {
+ int index = (h-1) * w;
+ switch (format) {
+ case ALPHA:
+ for (int y = h-1; y >= 0; y--) {
+ for (int x = 0; x < w; x++) {
+ outgoing.pixels[index + x] = is.read();
+ }
+ index -= w;
+ }
+ break;
+ case RGB:
+ for (int y = h-1; y >= 0; y--) {
+ for (int x = 0; x < w; x++) {
+ outgoing.pixels[index + x] =
+ is.read() | (is.read() << 8) | (is.read() << 16) |
+ 0xff000000;
+ }
+ index -= w;
+ }
+ break;
+ case ARGB:
+ for (int y = h-1; y >= 0; y--) {
+ for (int x = 0; x < w; x++) {
+ outgoing.pixels[index + x] =
+ is.read() | (is.read() << 8) | (is.read() << 16) |
+ (is.read() << 24);
+ }
+ index -= w;
+ }
+ }
+ } else { // not reversed
+ int count = w * h;
+ switch (format) {
+ case ALPHA:
+ for (int i = 0; i < count; i++) {
+ outgoing.pixels[i] = is.read();
+ }
+ break;
+ case RGB:
+ for (int i = 0; i < count; i++) {
+ outgoing.pixels[i] =
+ is.read() | (is.read() << 8) | (is.read() << 16) |
+ 0xff000000;
+ }
+ break;
+ case ARGB:
+ for (int i = 0; i < count; i++) {
+ outgoing.pixels[i] =
+ is.read() | (is.read() << 8) | (is.read() << 16) |
+ (is.read() << 24);
+ }
+ break;
+ }
+ }
+
+ } else { // header[2] is 10 or 11
+ int index = 0;
+ int px[] = outgoing.pixels;
+
+ while (index < px.length) {
+ int num = is.read();
+ boolean isRLE = (num & 0x80) != 0;
+ if (isRLE) {
+ num -= 127; // (num & 0x7F) + 1
+ int pixel = 0;
+ switch (format) {
+ case ALPHA:
+ pixel = is.read();
+ break;
+ case RGB:
+ pixel = 0xFF000000 |
+ is.read() | (is.read() << 8) | (is.read() << 16);
+ //(is.read() << 16) | (is.read() << 8) | is.read();
+ break;
+ case ARGB:
+ pixel = is.read() |
+ (is.read() << 8) | (is.read() << 16) | (is.read() << 24);
+ break;
+ }
+ for (int i = 0; i < num; i++) {
+ px[index++] = pixel;
+ if (index == px.length) break;
+ }
+ } else { // write up to 127 bytes as uncompressed
+ num += 1;
+ switch (format) {
+ case ALPHA:
+ for (int i = 0; i < num; i++) {
+ px[index++] = is.read();
+ }
+ break;
+ case RGB:
+ for (int i = 0; i < num; i++) {
+ px[index++] = 0xFF000000 |
+ is.read() | (is.read() << 8) | (is.read() << 16);
+ //(is.read() << 16) | (is.read() << 8) | is.read();
+ }
+ break;
+ case ARGB:
+ for (int i = 0; i < num; i++) {
+ px[index++] = is.read() | //(is.read() << 24) |
+ (is.read() << 8) | (is.read() << 16) | (is.read() << 24);
+ //(is.read() << 16) | (is.read() << 8) | is.read();
+ }
+ break;
+ }
+ }
+ }
+
+ if (!reversed) {
+ int[] temp = new int[w];
+ for (int y = 0; y < h/2; y++) {
+ int z = (h-1) - y;
+ System.arraycopy(px, y*w, temp, 0, w);
+ System.arraycopy(px, z*w, px, y*w, w);
+ System.arraycopy(temp, 0, px, z*w, w);
+ }
+ }
+ }
+
+ return outgoing;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SHAPE I/O
+
+
+ /**
+ * Loads vector shapes into a variable of type PShape. Currently, only SVG files may be loaded.
+ * To load correctly, the file must be located in the data directory of the current sketch.
+ * In most cases, loadShape() should be used inside setup() because loading shapes inside draw() will reduce the speed of a sketch.
+ *
+ * This method is useful if you want to use the facilities provided
+ * by PApplet to easily open things from the data folder or from a URL,
+ * but want an InputStream object so that you can use other Java
+ * methods to take more control of how the stream is read.
+ *
+ * If the requested item doesn't exist, null is returned.
+ * (Prior to 0096, die() would be called, killing the applet)
+ *
+ * For 0096+, the "data" folder is exported intact with subfolders,
+ * and openStream() properly handles subdirectories from the data folder
+ *
+ * If not online, this will also check to see if the user is asking
+ * for a file whose name isn't properly capitalized. This helps prevent
+ * issues when a sketch is exported to the web, where case sensitivity
+ * matters, as opposed to Windows and the Mac OS default where
+ * case sensitivity is preserved but ignored.
+ *
+ * It is strongly recommended that libraries use this method to open
+ * data files, so that the loading sequence is handled in the same way
+ * as functions like loadBytes(), loadImage(), etc.
+ *
+ * The filename passed in can be:
+ *
+ * Exceptions are handled internally, when an error, occurs, an
+ * exception is printed to the console and 'null' is returned,
+ * but the program continues running. This is a tradeoff between
+ * 1) showing the user that there was a problem but 2) not requiring
+ * that all i/o code is contained in try/catch blocks, for the sake
+ * of new users (or people who are just trying to get things done
+ * in a "scripting" fashion. If you want to handle exceptions,
+ * use Java methods for I/O.
+ *
+ * @webref input:files
+ * @param filename name of the file or url to load
+ *
+ * @see processing.core.PApplet#loadBytes(String)
+ * @see processing.core.PApplet#saveStrings(String, String[])
+ * @see processing.core.PApplet#saveBytes(String, byte[])
+ */
+ public String[] loadStrings(String filename) {
+ InputStream is = createInput(filename);
+ if (is != null) return loadStrings(is);
+
+ System.err.println("The file \"" + filename + "\" " +
+ "is missing or inaccessible, make sure " +
+ "the URL is valid or that the file has been " +
+ "added to your sketch and is readable.");
+ return null;
+ }
+
+
+ static public String[] loadStrings(InputStream input) {
+ try {
+ BufferedReader reader =
+ new BufferedReader(new InputStreamReader(input, "UTF-8"));
+
+ String lines[] = new String[100];
+ int lineCount = 0;
+ String line = null;
+ while ((line = reader.readLine()) != null) {
+ if (lineCount == lines.length) {
+ String temp[] = new String[lineCount << 1];
+ System.arraycopy(lines, 0, temp, 0, lineCount);
+ lines = temp;
+ }
+ lines[lineCount++] = line;
+ }
+ reader.close();
+
+ if (lineCount == lines.length) {
+ return lines;
+ }
+
+ // resize array to appropriate amount for these lines
+ String output[] = new String[lineCount];
+ System.arraycopy(lines, 0, output, 0, lineCount);
+ return output;
+
+ } catch (IOException e) {
+ e.printStackTrace();
+ //throw new RuntimeException("Error inside loadStrings()");
+ }
+ return null;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // FILE OUTPUT
+
+
+ /**
+ * Similar to createInput() (formerly openStream), this creates a Java
+ * OutputStream for a given filename or path. The file will be created in
+ * the sketch folder, or in the same folder as an exported application.
+ *
+ * In this method, the data path is defined not as the applet's actual
+ * data path, but a folder titled "data" in the sketch's working
+ * directory. When running inside the PDE, this will be the sketch's
+ * "data" folder. However, when exported (as application or applet),
+ * sketch's data folder is exported as part of the applications jar file,
+ * and it's not possible to read/write from the jar file in a generic way.
+ * If you need to read data from the jar file, you should use other methods
+ * such as createInput(), createReader(), or loadStrings().
+ */
+ public String dataPath(String where) {
+ // isAbsolute() could throw an access exception, but so will writing
+ // to the local disk using the sketch path, so this is safe here.
+ if (new File(where).isAbsolute()) return where;
+
+ return sketchPath + File.separator + "data" + File.separator + where;
+ }
+
+
+ /**
+ * Return a full path to an item in the data folder as a File object.
+ * See the dataPath() method for more information.
+ */
+ public File dataFile(String where) {
+ return new File(dataPath(where));
+ }
+
+
+ /**
+ * Takes a path and creates any in-between folders if they don't
+ * already exist. Useful when trying to save to a subfolder that
+ * may not actually exist.
+ */
+ static public void createPath(String path) {
+ createPath(new File(path));
+ }
+
+
+ static public void createPath(File file) {
+ try {
+ String parent = file.getParent();
+ if (parent != null) {
+ File unit = new File(parent);
+ if (!unit.exists()) unit.mkdirs();
+ }
+ } catch (SecurityException se) {
+ System.err.println("You don't have permissions to create " +
+ file.getAbsolutePath());
+ }
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SORT
+
+
+ static public byte[] sort(byte what[]) {
+ return sort(what, what.length);
+ }
+
+
+ static public byte[] sort(byte[] what, int count) {
+ byte[] outgoing = new byte[what.length];
+ System.arraycopy(what, 0, outgoing, 0, what.length);
+ Arrays.sort(outgoing, 0, count);
+ return outgoing;
+ }
+
+
+ static public char[] sort(char what[]) {
+ return sort(what, what.length);
+ }
+
+
+ static public char[] sort(char[] what, int count) {
+ char[] outgoing = new char[what.length];
+ System.arraycopy(what, 0, outgoing, 0, what.length);
+ Arrays.sort(outgoing, 0, count);
+ return outgoing;
+ }
+
+
+ static public int[] sort(int what[]) {
+ return sort(what, what.length);
+ }
+
+
+ static public int[] sort(int[] what, int count) {
+ int[] outgoing = new int[what.length];
+ System.arraycopy(what, 0, outgoing, 0, what.length);
+ Arrays.sort(outgoing, 0, count);
+ return outgoing;
+ }
+
+
+ static public float[] sort(float what[]) {
+ return sort(what, what.length);
+ }
+
+
+ static public float[] sort(float[] what, int count) {
+ float[] outgoing = new float[what.length];
+ System.arraycopy(what, 0, outgoing, 0, what.length);
+ Arrays.sort(outgoing, 0, count);
+ return outgoing;
+ }
+
+
+ static public String[] sort(String what[]) {
+ return sort(what, what.length);
+ }
+
+
+ static public String[] sort(String[] what, int count) {
+ String[] outgoing = new String[what.length];
+ System.arraycopy(what, 0, outgoing, 0, what.length);
+ Arrays.sort(outgoing, 0, count);
+ return outgoing;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // ARRAY UTILITIES
+
+
+ /**
+ * Calls System.arraycopy(), included here so that we can
+ * avoid people needing to learn about the System object
+ * before they can just copy an array.
+ */
+ static public void arrayCopy(Object src, int srcPosition,
+ Object dst, int dstPosition,
+ int length) {
+ System.arraycopy(src, srcPosition, dst, dstPosition, length);
+ }
+
+
+ /**
+ * Convenience method for arraycopy().
+ * Identical to
+ * To use this on numbers, first pass the array to nf() or nfs()
+ * to get a list of String objects, then use join on that.
+ *
+ * The whitespace characters are "\t\n\r\f", which are the defaults
+ * for java.util.StringTokenizer, plus the unicode non-breaking space
+ * character, which is found commonly on files created by or used
+ * in conjunction with Mac OS X (character 160, or 0x00A0 in hex).
+ *
+ * This operates differently than the others, where the
+ * single delimeter is the only breaking point, and consecutive
+ * delimeters will produce an empty string (""). This way,
+ * one can split on tab characters, but maintain the column
+ * alignments (of say an excel file) where there are empty columns.
+ */
+ static public String[] split(String what, char delim) {
+ // do this so that the exception occurs inside the user's
+ // program, rather than appearing to be a bug inside split()
+ if (what == null) return null;
+ //return split(what, String.valueOf(delim)); // huh
+
+ char chars[] = what.toCharArray();
+ int splitCount = 0; //1;
+ for (int i = 0; i < chars.length; i++) {
+ if (chars[i] == delim) splitCount++;
+ }
+ // make sure that there is something in the input string
+ //if (chars.length > 0) {
+ // if the last char is a delimeter, get rid of it..
+ //if (chars[chars.length-1] == delim) splitCount--;
+ // on second thought, i don't agree with this, will disable
+ //}
+ if (splitCount == 0) {
+ String splits[] = new String[1];
+ splits[0] = new String(what);
+ return splits;
+ }
+ //int pieceCount = splitCount + 1;
+ String splits[] = new String[splitCount + 1];
+ int splitIndex = 0;
+ int startIndex = 0;
+ for (int i = 0; i < chars.length; i++) {
+ if (chars[i] == delim) {
+ splits[splitIndex++] =
+ new String(chars, startIndex, i-startIndex);
+ startIndex = i + 1;
+ }
+ }
+ //if (startIndex != chars.length) {
+ splits[splitIndex] =
+ new String(chars, startIndex, chars.length-startIndex);
+ //}
+ return splits;
+ }
+
+
+ /**
+ * Split a String on a specific delimiter. Unlike Java's String.split()
+ * method, this does not parse the delimiter as a regexp because it's more
+ * confusing than necessary, and String.split() is always available for
+ * those who want regexp.
+ */
+ static public String[] split(String what, String delim) {
+ ArrayList Convert an integer to a boolean. Because of how Java handles upgrading
+ * numbers, this will also cover byte and char (as they will upgrade to
+ * an int without any sort of explicit cast). The preprocessor will convert boolean(what) to parseBoolean(what).
+ * The options shown here are not yet finalized and will be
+ * changing over the next several releases.
+ *
+ * The simplest way to turn and applet into an application is to
+ * add the following code to your program:
+ *
+ * For the most part, hints are temporary api quirks,
+ * for which a proper api hasn't been properly worked out.
+ * for instance SMOOTH_IMAGES existed because smooth()
+ * wasn't yet implemented, but it will soon go away.
+ *
+ * They also exist for obscure features in the graphics
+ * engine, like enabling/disabling single pixel lines
+ * that ignore the zbuffer, the way they do in alphabot.
+ *
+ * Current hint options:
+ *
+ * Differences between beginShape() and line() and point() methods.
+ *
+ * beginShape() is intended to be more flexible at the expense of being
+ * a little more complicated to use. it handles more complicated shapes
+ * that can consist of many connected lines (so you get joins) or lines
+ * mixed with curves.
+ *
+ * The line() and point() command are for the far more common cases
+ * (particularly for our audience) that simply need to draw a line
+ * or a point on the screen.
+ *
+ * From the code side of things, line() may or may not call beginShape()
+ * to do the drawing. In the beta code, they do, but in the alpha code,
+ * they did not. they might be implemented one way or the other depending
+ * on tradeoffs of runtime efficiency vs. implementation efficiency &mdash
+ * meaning the speed that things run at vs. the speed it takes me to write
+ * the code and maintain it. for beta, the latter is most important so
+ * that's how things are implemented.
+ */
+ public void beginShape(int kind) {
+ if (recorder != null) recorder.beginShape(kind);
+ g.beginShape(kind);
+ }
+
+
+ /**
+ * Sets whether the upcoming vertex is part of an edge.
+ * Equivalent to glEdgeFlag(), for people familiar with OpenGL.
+ */
+ public void edge(boolean edge) {
+ if (recorder != null) recorder.edge(edge);
+ g.edge(edge);
+ }
+
+
+ /**
+ * Sets the current normal vector. Only applies with 3D rendering
+ * and inside a beginShape/endShape block.
+ *
+ * Implementation notes:
+ *
+ * cache all the points of the sphere in a static array
+ * top and bottom are just a bunch of triangles that land
+ * in the center point
+ *
+ * sphere is a series of concentric circles who radii vary
+ * along the shape, based on, er.. cos or something
+ *
+ * For instance, to convert the following example:
+ * Identical to typing:
+ *
+ * As of 0070, this function no longer doubles the first and
+ * last points. The curves are a bit more boring, but it's more
+ * mathematically correct, and properly mirrored in curvePoint().
+ *
+ * Identical to typing out:
+ * Given an (x, y, z) coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenX(float x, float y, float z) {
+ return g.screenX(x, y, z);
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenY(float x, float y, float z) {
+ return g.screenY(x, y, z);
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns its z value.
+ * This value can be used to determine if an (x, y, z) coordinate
+ * is in front or in back of another (x, y, z) coordinate.
+ * The units are based on how the zbuffer is set up, and don't
+ * relate to anything "real". They're only useful for in
+ * comparison to another value obtained from screenZ(),
+ * or directly out of the zbuffer[].
+ */
+ public float screenZ(float x, float y, float z) {
+ return g.screenZ(x, y, z);
+ }
+
+
+ /**
+ * Returns the model space x value for an x, y, z coordinate.
+ *
+ * This will give you a coordinate after it has been transformed
+ * by translate(), rotate(), and camera(), but not yet transformed
+ * by the projection matrix. For instance, his can be useful for
+ * figuring out how points in 3D space relate to the edge
+ * coordinates of a shape.
+ */
+ public float modelX(float x, float y, float z) {
+ return g.modelX(x, y, z);
+ }
+
+
+ /**
+ * Returns the model space y value for an x, y, z coordinate.
+ */
+ public float modelY(float x, float y, float z) {
+ return g.modelY(x, y, z);
+ }
+
+
+ /**
+ * Returns the model space z value for an x, y, z coordinate.
+ */
+ public float modelZ(float x, float y, float z) {
+ return g.modelZ(x, y, z);
+ }
+
+
+ public void pushStyle() {
+ if (recorder != null) recorder.pushStyle();
+ g.pushStyle();
+ }
+
+
+ public void popStyle() {
+ if (recorder != null) recorder.popStyle();
+ g.popStyle();
+ }
+
+
+ public void style(PStyle s) {
+ if (recorder != null) recorder.style(s);
+ g.style(s);
+ }
+
+
+ public void strokeWeight(float weight) {
+ if (recorder != null) recorder.strokeWeight(weight);
+ g.strokeWeight(weight);
+ }
+
+
+ public void strokeJoin(int join) {
+ if (recorder != null) recorder.strokeJoin(join);
+ g.strokeJoin(join);
+ }
+
+
+ public void strokeCap(int cap) {
+ if (recorder != null) recorder.strokeCap(cap);
+ g.strokeCap(cap);
+ }
+
+
+ public void noStroke() {
+ if (recorder != null) recorder.noStroke();
+ g.noStroke();
+ }
+
+
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ * See notes attached to the fill() function.
+ */
+ public void stroke(int rgb) {
+ if (recorder != null) recorder.stroke(rgb);
+ g.stroke(rgb);
+ }
+
+
+ public void stroke(int rgb, float alpha) {
+ if (recorder != null) recorder.stroke(rgb, alpha);
+ g.stroke(rgb, alpha);
+ }
+
+
+ public void stroke(float gray) {
+ if (recorder != null) recorder.stroke(gray);
+ g.stroke(gray);
+ }
+
+
+ public void stroke(float gray, float alpha) {
+ if (recorder != null) recorder.stroke(gray, alpha);
+ g.stroke(gray, alpha);
+ }
+
+
+ public void stroke(float x, float y, float z) {
+ if (recorder != null) recorder.stroke(x, y, z);
+ g.stroke(x, y, z);
+ }
+
+
+ public void stroke(float x, float y, float z, float a) {
+ if (recorder != null) recorder.stroke(x, y, z, a);
+ g.stroke(x, y, z, a);
+ }
+
+
+ public void noTint() {
+ if (recorder != null) recorder.noTint();
+ g.noTint();
+ }
+
+
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ */
+ public void tint(int rgb) {
+ if (recorder != null) recorder.tint(rgb);
+ g.tint(rgb);
+ }
+
+
+ public void tint(int rgb, float alpha) {
+ if (recorder != null) recorder.tint(rgb, alpha);
+ g.tint(rgb, alpha);
+ }
+
+
+ public void tint(float gray) {
+ if (recorder != null) recorder.tint(gray);
+ g.tint(gray);
+ }
+
+
+ public void tint(float gray, float alpha) {
+ if (recorder != null) recorder.tint(gray, alpha);
+ g.tint(gray, alpha);
+ }
+
+
+ public void tint(float x, float y, float z) {
+ if (recorder != null) recorder.tint(x, y, z);
+ g.tint(x, y, z);
+ }
+
+
+ public void tint(float x, float y, float z, float a) {
+ if (recorder != null) recorder.tint(x, y, z, a);
+ g.tint(x, y, z, a);
+ }
+
+
+ public void noFill() {
+ if (recorder != null) recorder.noFill();
+ g.noFill();
+ }
+
+
+ /**
+ * Set the fill to either a grayscale value or an ARGB int.
+ */
+ public void fill(int rgb) {
+ if (recorder != null) recorder.fill(rgb);
+ g.fill(rgb);
+ }
+
+
+ public void fill(int rgb, float alpha) {
+ if (recorder != null) recorder.fill(rgb, alpha);
+ g.fill(rgb, alpha);
+ }
+
+
+ public void fill(float gray) {
+ if (recorder != null) recorder.fill(gray);
+ g.fill(gray);
+ }
+
+
+ public void fill(float gray, float alpha) {
+ if (recorder != null) recorder.fill(gray, alpha);
+ g.fill(gray, alpha);
+ }
+
+
+ public void fill(float x, float y, float z) {
+ if (recorder != null) recorder.fill(x, y, z);
+ g.fill(x, y, z);
+ }
+
+
+ public void fill(float x, float y, float z, float a) {
+ if (recorder != null) recorder.fill(x, y, z, a);
+ g.fill(x, y, z, a);
+ }
+
+
+ public void ambient(int rgb) {
+ if (recorder != null) recorder.ambient(rgb);
+ g.ambient(rgb);
+ }
+
+
+ public void ambient(float gray) {
+ if (recorder != null) recorder.ambient(gray);
+ g.ambient(gray);
+ }
+
+
+ public void ambient(float x, float y, float z) {
+ if (recorder != null) recorder.ambient(x, y, z);
+ g.ambient(x, y, z);
+ }
+
+
+ public void specular(int rgb) {
+ if (recorder != null) recorder.specular(rgb);
+ g.specular(rgb);
+ }
+
+
+ public void specular(float gray) {
+ if (recorder != null) recorder.specular(gray);
+ g.specular(gray);
+ }
+
+
+ public void specular(float x, float y, float z) {
+ if (recorder != null) recorder.specular(x, y, z);
+ g.specular(x, y, z);
+ }
+
+
+ public void shininess(float shine) {
+ if (recorder != null) recorder.shininess(shine);
+ g.shininess(shine);
+ }
+
+
+ public void emissive(int rgb) {
+ if (recorder != null) recorder.emissive(rgb);
+ g.emissive(rgb);
+ }
+
+
+ public void emissive(float gray) {
+ if (recorder != null) recorder.emissive(gray);
+ g.emissive(gray);
+ }
+
+
+ public void emissive(float x, float y, float z) {
+ if (recorder != null) recorder.emissive(x, y, z);
+ g.emissive(x, y, z);
+ }
+
+
+ public void lights() {
+ if (recorder != null) recorder.lights();
+ g.lights();
+ }
+
+
+ public void noLights() {
+ if (recorder != null) recorder.noLights();
+ g.noLights();
+ }
+
+
+ public void ambientLight(float red, float green, float blue) {
+ if (recorder != null) recorder.ambientLight(red, green, blue);
+ g.ambientLight(red, green, blue);
+ }
+
+
+ public void ambientLight(float red, float green, float blue,
+ float x, float y, float z) {
+ if (recorder != null) recorder.ambientLight(red, green, blue, x, y, z);
+ g.ambientLight(red, green, blue, x, y, z);
+ }
+
+
+ public void directionalLight(float red, float green, float blue,
+ float nx, float ny, float nz) {
+ if (recorder != null) recorder.directionalLight(red, green, blue, nx, ny, nz);
+ g.directionalLight(red, green, blue, nx, ny, nz);
+ }
+
+
+ public void pointLight(float red, float green, float blue,
+ float x, float y, float z) {
+ if (recorder != null) recorder.pointLight(red, green, blue, x, y, z);
+ g.pointLight(red, green, blue, x, y, z);
+ }
+
+
+ public void spotLight(float red, float green, float blue,
+ float x, float y, float z,
+ float nx, float ny, float nz,
+ float angle, float concentration) {
+ if (recorder != null) recorder.spotLight(red, green, blue, x, y, z, nx, ny, nz, angle, concentration);
+ g.spotLight(red, green, blue, x, y, z, nx, ny, nz, angle, concentration);
+ }
+
+
+ public void lightFalloff(float constant, float linear, float quadratic) {
+ if (recorder != null) recorder.lightFalloff(constant, linear, quadratic);
+ g.lightFalloff(constant, linear, quadratic);
+ }
+
+
+ public void lightSpecular(float x, float y, float z) {
+ if (recorder != null) recorder.lightSpecular(x, y, z);
+ g.lightSpecular(x, y, z);
+ }
+
+
+ /**
+ * Set the background to a gray or ARGB color.
+ *
+ * For the main drawing surface, the alpha value will be ignored. However,
+ * alpha can be used on PGraphics objects from createGraphics(). This is
+ * the only way to set all the pixels partially transparent, for instance.
+ *
+ * Note that background() should be called before any transformations occur,
+ * because some implementations may require the current transformation matrix
+ * to be identity before drawing.
+ */
+ public void background(int rgb) {
+ if (recorder != null) recorder.background(rgb);
+ g.background(rgb);
+ }
+
+
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ */
+ public void background(int rgb, float alpha) {
+ if (recorder != null) recorder.background(rgb, alpha);
+ g.background(rgb, alpha);
+ }
+
+
+ /**
+ * Set the background to a grayscale value, based on the
+ * current colorMode.
+ */
+ public void background(float gray) {
+ if (recorder != null) recorder.background(gray);
+ g.background(gray);
+ }
+
+
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ */
+ public void background(float gray, float alpha) {
+ if (recorder != null) recorder.background(gray, alpha);
+ g.background(gray, alpha);
+ }
+
+
+ /**
+ * Set the background to an r, g, b or h, s, b value,
+ * based on the current colorMode.
+ */
+ public void background(float x, float y, float z) {
+ if (recorder != null) recorder.background(x, y, z);
+ g.background(x, y, z);
+ }
+
+
+ /**
+ * Clear the background with a color that includes an alpha value. This can
+ * only be used with objects created by createGraphics(), because the main
+ * drawing surface cannot be set transparent.
+ *
+ * It might be tempting to use this function to partially clear the screen
+ * on each frame, however that's not how this function works. When calling
+ * background(), the pixels will be replaced with pixels that have that level
+ * of transparency. To do a semi-transparent overlay, use fill() with alpha
+ * and draw a rectangle.
+ */
+ public void background(float x, float y, float z, float a) {
+ if (recorder != null) recorder.background(x, y, z, a);
+ g.background(x, y, z, a);
+ }
+
+
+ /**
+ * Takes an RGB or ARGB image and sets it as the background.
+ * The width and height of the image must be the same size as the sketch.
+ * Use image.resize(width, height) to make short work of such a task.
+ *
+ * Note that even if the image is set as RGB, the high 8 bits of each pixel
+ * should be set opaque (0xFF000000), because the image data will be copied
+ * directly to the screen, and non-opaque background images may have strange
+ * behavior. Using image.filter(OPAQUE) will handle this easily.
+ *
+ * When using 3D, this will also clear the zbuffer (if it exists).
+ */
+ public void background(PImage image) {
+ if (recorder != null) recorder.background(image);
+ g.background(image);
+ }
+
+
+ public void colorMode(int mode) {
+ if (recorder != null) recorder.colorMode(mode);
+ g.colorMode(mode);
+ }
+
+
+ public void colorMode(int mode, float max) {
+ if (recorder != null) recorder.colorMode(mode, max);
+ g.colorMode(mode, max);
+ }
+
+
+ /**
+ * Set the colorMode and the maximum values for (r, g, b)
+ * or (h, s, b).
+ *
+ * Note that this doesn't set the maximum for the alpha value,
+ * which might be confusing if for instance you switched to
+ *
+ * If the image is in RGB format (i.e. on a PVideo object),
+ * the value will get its high bits set, just to avoid cases where
+ * they haven't been set already.
+ *
+ * If the image is in ALPHA format, this returns a white with its
+ * alpha value set.
+ *
+ * This function is included primarily for beginners. It is quite
+ * slow because it has to check to see if the x, y that was provided
+ * is inside the bounds, and then has to check to see what image
+ * type it is. If you want things to be more efficient, access the
+ * pixels[] array directly.
+ */
+ public int get(int x, int y) {
+ return g.get(x, y);
+ }
+
+
+ /**
+ * Reads the color of any pixel or grabs a group of pixels. If no parameters are specified, the entire image is returned. Get the value of one pixel by specifying an x,y coordinate. Get a section of the display window by specifing an additional width and height parameter. If the pixel requested is outside of the image window, black is returned. The numbers returned are scaled according to the current color ranges, but only RGB values are returned by this function. Even though you may have drawn a shape with colorMode(HSB), the numbers returned will be in RGB.
+ *
+ * Strictly speaking the "blue" value from the source image is
+ * used as the alpha color. For a fully grayscale image, this
+ * is correct, but for a color image it's not 100% accurate.
+ * For a more accurate conversion, first use filter(GRAY)
+ * which will make the image into a "correct" grayscale by
+ * performing a proper luminance-based conversion.
+ *
+ * @param maskArray any array of Integer numbers used as the alpha channel, needs to be same length as the image's pixel array
+ */
+ public void mask(int maskArray[]) {
+ if (recorder != null) recorder.mask(maskArray);
+ g.mask(maskArray);
+ }
+
+
+ /**
+ * Masks part of an image from displaying by loading another image and using it as an alpha channel.
+ * This mask image should only contain grayscale data, but only the blue color channel is used.
+ * The mask image needs to be the same size as the image to which it is applied.
+ * In addition to using a mask image, an integer array containing the alpha channel data can be specified directly.
+ * This method is useful for creating dynamically generated alpha masks.
+ * This array must be of the same length as the target image's pixels array and should contain only grayscale data of values between 0-255.
+ * @webref
+ * @brief Masks part of the image from displaying
+ * @param maskImg any PImage object used as the alpha channel for "img", needs to be same size as "img"
+ */
+ public void mask(PImage maskImg) {
+ if (recorder != null) recorder.mask(maskImg);
+ g.mask(maskImg);
+ }
+
+
+ public void filter(int kind) {
+ if (recorder != null) recorder.filter(kind);
+ g.filter(kind);
+ }
+
+
+ /**
+ * Filters an image as defined by one of the following modes:
+ * A useful reference for blending modes and their algorithms can be
+ * found in the SVG
+ * specification. It is important to note that Processing uses "fast" code, not
+ * necessarily "correct" code. No biggie, most software does. A nitpicker
+ * can find numerous "off by 1 division" problems in the blend code where
+ * >>8 or >>7 is used when strictly speaking
+ * /255.0 or /127.0 should have been used. For instance, exclusion (not intended for real-time use) reads
+ * r1 + r2 - ((2 * r1 * r2) / 255) because 255 == 1.0
+ * not 256 == 1.0. In other words, (255*255)>>8 is not
+ * the same as (255*255)/255. But for real-time use the shifts
+ * are preferrable, and the difference is insignificant for applications
+ * built with Processing.
+ * This is called when a sketch is shut down and this renderer was
+ * specified using the size() command, or inside endRecord() and
+ * endRaw(), in order to shut things off.
+ */
+ public void dispose() { // ignore
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // FRAME
+
+
+ /**
+ * Some renderers have requirements re: when they are ready to draw.
+ */
+ public boolean canDraw() { // ignore
+ return true;
+ }
+
+
+ /**
+ * Sets the default properties for a PGraphics object. It should be called before anything is drawn into the object.
+ * =advanced
+ *
+ * For the most part, hints are temporary api quirks,
+ * for which a proper api hasn't been properly worked out.
+ * for instance SMOOTH_IMAGES existed because smooth()
+ * wasn't yet implemented, but it will soon go away.
+ *
+ * They also exist for obscure features in the graphics
+ * engine, like enabling/disabling single pixel lines
+ * that ignore the zbuffer, the way they do in alphabot.
+ *
+ * Current hint options:
+ *
+ * Differences between beginShape() and line() and point() methods.
+ *
+ * beginShape() is intended to be more flexible at the expense of being
+ * a little more complicated to use. it handles more complicated shapes
+ * that can consist of many connected lines (so you get joins) or lines
+ * mixed with curves.
+ *
+ * The line() and point() command are for the far more common cases
+ * (particularly for our audience) that simply need to draw a line
+ * or a point on the screen.
+ *
+ * From the code side of things, line() may or may not call beginShape()
+ * to do the drawing. In the beta code, they do, but in the alpha code,
+ * they did not. they might be implemented one way or the other depending
+ * on tradeoffs of runtime efficiency vs. implementation efficiency &mdash
+ * meaning the speed that things run at vs. the speed it takes me to write
+ * the code and maintain it. for beta, the latter is most important so
+ * that's how things are implemented.
+ */
+ public void beginShape(int kind) {
+ shape = kind;
+ }
+
+
+ /**
+ * Sets whether the upcoming vertex is part of an edge.
+ * Equivalent to glEdgeFlag(), for people familiar with OpenGL.
+ */
+ public void edge(boolean edge) {
+ this.edge = edge;
+ }
+
+
+ /**
+ * Sets the current normal vector. Only applies with 3D rendering
+ * and inside a beginShape/endShape block.
+ *
+ * Implementation notes:
+ *
+ * cache all the points of the sphere in a static array
+ * top and bottom are just a bunch of triangles that land
+ * in the center point
+ *
+ * sphere is a series of concentric circles who radii vary
+ * along the shape, based on, er.. cos or something
+ *
+ * For instance, to convert the following example:
+ * Identical to typing:
+ *
+ * (This function is not optimized, since it's not expected to
+ * be called all that often. there are many juicy and obvious
+ * opimizations in here, but it's probably better to keep the
+ * code more readable)
+ */
+ protected void curveInit() {
+ // allocate only if/when used to save startup time
+ if (curveDrawMatrix == null) {
+ curveBasisMatrix = new PMatrix3D();
+ curveDrawMatrix = new PMatrix3D();
+ curveInited = true;
+ }
+
+ float s = curveTightness;
+ curveBasisMatrix.set((s-1)/2f, (s+3)/2f, (-3-s)/2f, (1-s)/2f,
+ (1-s), (-5-s)/2f, (s+2), (s-1)/2f,
+ (s-1)/2f, 0, (1-s)/2f, 0,
+ 0, 1, 0, 0);
+
+ //setup_spline_forward(segments, curveForwardMatrix);
+ splineForward(curveDetail, curveDrawMatrix);
+
+ if (bezierBasisInverse == null) {
+ bezierBasisInverse = bezierBasisMatrix.get();
+ bezierBasisInverse.invert();
+ curveToBezierMatrix = new PMatrix3D();
+ }
+
+ // TODO only needed for PGraphicsJava2D? if so, move it there
+ // actually, it's generally useful for other renderers, so keep it
+ // or hide the implementation elsewhere.
+ curveToBezierMatrix.set(curveBasisMatrix);
+ curveToBezierMatrix.preApply(bezierBasisInverse);
+
+ // multiply the basis and forward diff matrices together
+ // saves much time since this needn't be done for each curve
+ curveDrawMatrix.apply(curveBasisMatrix);
+ }
+
+
+ /**
+ * Draws a segment of Catmull-Rom curve.
+ *
+ * As of 0070, this function no longer doubles the first and
+ * last points. The curves are a bit more boring, but it's more
+ * mathematically correct, and properly mirrored in curvePoint().
+ *
+ * Identical to typing out:
+ * Given an (x, y, z) coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenX(float x, float y, float z) {
+ showMissingWarning("screenX");
+ return 0;
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenY(float x, float y, float z) {
+ showMissingWarning("screenY");
+ return 0;
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns its z value.
+ * This value can be used to determine if an (x, y, z) coordinate
+ * is in front or in back of another (x, y, z) coordinate.
+ * The units are based on how the zbuffer is set up, and don't
+ * relate to anything "real". They're only useful for in
+ * comparison to another value obtained from screenZ(),
+ * or directly out of the zbuffer[].
+ */
+ public float screenZ(float x, float y, float z) {
+ showMissingWarning("screenZ");
+ return 0;
+ }
+
+
+ /**
+ * Returns the model space x value for an x, y, z coordinate.
+ *
+ * This will give you a coordinate after it has been transformed
+ * by translate(), rotate(), and camera(), but not yet transformed
+ * by the projection matrix. For instance, his can be useful for
+ * figuring out how points in 3D space relate to the edge
+ * coordinates of a shape.
+ */
+ public float modelX(float x, float y, float z) {
+ showMissingWarning("modelX");
+ return 0;
+ }
+
+
+ /**
+ * Returns the model space y value for an x, y, z coordinate.
+ */
+ public float modelY(float x, float y, float z) {
+ showMissingWarning("modelY");
+ return 0;
+ }
+
+
+ /**
+ * Returns the model space z value for an x, y, z coordinate.
+ */
+ public float modelZ(float x, float y, float z) {
+ showMissingWarning("modelZ");
+ return 0;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // STYLE
+
+
+ public void pushStyle() {
+ if (styleStackDepth == styleStack.length) {
+ styleStack = (PStyle[]) PApplet.expand(styleStack);
+ }
+ if (styleStack[styleStackDepth] == null) {
+ styleStack[styleStackDepth] = new PStyle();
+ }
+ PStyle s = styleStack[styleStackDepth++];
+ getStyle(s);
+ }
+
+
+ public void popStyle() {
+ if (styleStackDepth == 0) {
+ throw new RuntimeException("Too many popStyle() without enough pushStyle()");
+ }
+ styleStackDepth--;
+ style(styleStack[styleStackDepth]);
+ }
+
+
+ public void style(PStyle s) {
+ // if (s.smooth) {
+ // smooth();
+ // } else {
+ // noSmooth();
+ // }
+
+ imageMode(s.imageMode);
+ rectMode(s.rectMode);
+ ellipseMode(s.ellipseMode);
+ shapeMode(s.shapeMode);
+
+ if (s.tint) {
+ tint(s.tintColor);
+ } else {
+ noTint();
+ }
+ if (s.fill) {
+ fill(s.fillColor);
+ } else {
+ noFill();
+ }
+ if (s.stroke) {
+ stroke(s.strokeColor);
+ } else {
+ noStroke();
+ }
+ strokeWeight(s.strokeWeight);
+ strokeCap(s.strokeCap);
+ strokeJoin(s.strokeJoin);
+
+ // Set the colorMode() for the material properties.
+ // TODO this is really inefficient, need to just have a material() method,
+ // but this has the least impact to the API.
+ colorMode(RGB, 1);
+ ambient(s.ambientR, s.ambientG, s.ambientB);
+ emissive(s.emissiveR, s.emissiveG, s.emissiveB);
+ specular(s.specularR, s.specularG, s.specularB);
+ shininess(s.shininess);
+
+ /*
+ s.ambientR = ambientR;
+ s.ambientG = ambientG;
+ s.ambientB = ambientB;
+ s.specularR = specularR;
+ s.specularG = specularG;
+ s.specularB = specularB;
+ s.emissiveR = emissiveR;
+ s.emissiveG = emissiveG;
+ s.emissiveB = emissiveB;
+ s.shininess = shininess;
+ */
+ // material(s.ambientR, s.ambientG, s.ambientB,
+ // s.emissiveR, s.emissiveG, s.emissiveB,
+ // s.specularR, s.specularG, s.specularB,
+ // s.shininess);
+
+ // Set this after the material properties.
+ colorMode(s.colorMode,
+ s.colorModeX, s.colorModeY, s.colorModeZ, s.colorModeA);
+
+ // This is a bit asymmetric, since there's no way to do "noFont()",
+ // and a null textFont will produce an error (since usually that means that
+ // the font couldn't load properly). So in some cases, the font won't be
+ // 'cleared' to null, even though that's technically correct.
+ if (s.textFont != null) {
+ textFont(s.textFont, s.textSize);
+ textLeading(s.textLeading);
+ }
+ // These don't require a font to be set.
+ textAlign(s.textAlign, s.textAlignY);
+ textMode(s.textMode);
+ }
+
+
+ public PStyle getStyle() { // ignore
+ return getStyle(null);
+ }
+
+
+ public PStyle getStyle(PStyle s) { // ignore
+ if (s == null) {
+ s = new PStyle();
+ }
+
+ s.imageMode = imageMode;
+ s.rectMode = rectMode;
+ s.ellipseMode = ellipseMode;
+ s.shapeMode = shapeMode;
+
+ s.colorMode = colorMode;
+ s.colorModeX = colorModeX;
+ s.colorModeY = colorModeY;
+ s.colorModeZ = colorModeZ;
+ s.colorModeA = colorModeA;
+
+ s.tint = tint;
+ s.tintColor = tintColor;
+ s.fill = fill;
+ s.fillColor = fillColor;
+ s.stroke = stroke;
+ s.strokeColor = strokeColor;
+ s.strokeWeight = strokeWeight;
+ s.strokeCap = strokeCap;
+ s.strokeJoin = strokeJoin;
+
+ s.ambientR = ambientR;
+ s.ambientG = ambientG;
+ s.ambientB = ambientB;
+ s.specularR = specularR;
+ s.specularG = specularG;
+ s.specularB = specularB;
+ s.emissiveR = emissiveR;
+ s.emissiveG = emissiveG;
+ s.emissiveB = emissiveB;
+ s.shininess = shininess;
+
+ s.textFont = textFont;
+ s.textAlign = textAlign;
+ s.textAlignY = textAlignY;
+ s.textMode = textMode;
+ s.textSize = textSize;
+ s.textLeading = textLeading;
+
+ return s;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // STROKE CAP/JOIN/WEIGHT
+
+
+ public void strokeWeight(float weight) {
+ strokeWeight = weight;
+ }
+
+
+ public void strokeJoin(int join) {
+ strokeJoin = join;
+ }
+
+
+ public void strokeCap(int cap) {
+ strokeCap = cap;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // STROKE COLOR
+
+
+ public void noStroke() {
+ stroke = false;
+ }
+
+
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ * See notes attached to the fill() function.
+ */
+ public void stroke(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
+// stroke((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// strokeFromCalc();
+// }
+ colorCalc(rgb);
+ strokeFromCalc();
+ }
+
+
+ public void stroke(int rgb, float alpha) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// stroke((float) rgb, alpha);
+//
+// } else {
+// colorCalcARGB(rgb, alpha);
+// strokeFromCalc();
+// }
+ colorCalc(rgb, alpha);
+ strokeFromCalc();
+ }
+
+
+ public void stroke(float gray) {
+ colorCalc(gray);
+ strokeFromCalc();
+ }
+
+
+ public void stroke(float gray, float alpha) {
+ colorCalc(gray, alpha);
+ strokeFromCalc();
+ }
+
+
+ public void stroke(float x, float y, float z) {
+ colorCalc(x, y, z);
+ strokeFromCalc();
+ }
+
+
+ public void stroke(float x, float y, float z, float a) {
+ colorCalc(x, y, z, a);
+ strokeFromCalc();
+ }
+
+
+ protected void strokeFromCalc() {
+ stroke = true;
+ strokeR = calcR;
+ strokeG = calcG;
+ strokeB = calcB;
+ strokeA = calcA;
+ strokeRi = calcRi;
+ strokeGi = calcGi;
+ strokeBi = calcBi;
+ strokeAi = calcAi;
+ strokeColor = calcColor;
+ strokeAlpha = calcAlpha;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // TINT COLOR
+
+
+ public void noTint() {
+ tint = false;
+ }
+
+
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ */
+ public void tint(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// tint((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// tintFromCalc();
+// }
+ colorCalc(rgb);
+ tintFromCalc();
+ }
+
+ public void tint(int rgb, float alpha) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// tint((float) rgb, alpha);
+//
+// } else {
+// colorCalcARGB(rgb, alpha);
+// tintFromCalc();
+// }
+ colorCalc(rgb, alpha);
+ tintFromCalc();
+ }
+
+ public void tint(float gray) {
+ colorCalc(gray);
+ tintFromCalc();
+ }
+
+
+ public void tint(float gray, float alpha) {
+ colorCalc(gray, alpha);
+ tintFromCalc();
+ }
+
+
+ public void tint(float x, float y, float z) {
+ colorCalc(x, y, z);
+ tintFromCalc();
+ }
+
+
+ public void tint(float x, float y, float z, float a) {
+ colorCalc(x, y, z, a);
+ tintFromCalc();
+ }
+
+
+ protected void tintFromCalc() {
+ tint = true;
+ tintR = calcR;
+ tintG = calcG;
+ tintB = calcB;
+ tintA = calcA;
+ tintRi = calcRi;
+ tintGi = calcGi;
+ tintBi = calcBi;
+ tintAi = calcAi;
+ tintColor = calcColor;
+ tintAlpha = calcAlpha;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // FILL COLOR
+
+
+ public void noFill() {
+ fill = false;
+ }
+
+
+ /**
+ * Set the fill to either a grayscale value or an ARGB int.
+ */
+ public void fill(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
+// fill((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// fillFromCalc();
+// }
+ colorCalc(rgb);
+ fillFromCalc();
+ }
+
+
+ public void fill(int rgb, float alpha) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
+// fill((float) rgb, alpha);
+//
+// } else {
+// colorCalcARGB(rgb, alpha);
+// fillFromCalc();
+// }
+ colorCalc(rgb, alpha);
+ fillFromCalc();
+ }
+
+
+ public void fill(float gray) {
+ colorCalc(gray);
+ fillFromCalc();
+ }
+
+
+ public void fill(float gray, float alpha) {
+ colorCalc(gray, alpha);
+ fillFromCalc();
+ }
+
+
+ public void fill(float x, float y, float z) {
+ colorCalc(x, y, z);
+ fillFromCalc();
+ }
+
+
+ public void fill(float x, float y, float z, float a) {
+ colorCalc(x, y, z, a);
+ fillFromCalc();
+ }
+
+
+ protected void fillFromCalc() {
+ fill = true;
+ fillR = calcR;
+ fillG = calcG;
+ fillB = calcB;
+ fillA = calcA;
+ fillRi = calcRi;
+ fillGi = calcGi;
+ fillBi = calcBi;
+ fillAi = calcAi;
+ fillColor = calcColor;
+ fillAlpha = calcAlpha;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // MATERIAL PROPERTIES
+
+
+ public void ambient(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// ambient((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// ambientFromCalc();
+// }
+ colorCalc(rgb);
+ ambientFromCalc();
+ }
+
+
+ public void ambient(float gray) {
+ colorCalc(gray);
+ ambientFromCalc();
+ }
+
+
+ public void ambient(float x, float y, float z) {
+ colorCalc(x, y, z);
+ ambientFromCalc();
+ }
+
+
+ protected void ambientFromCalc() {
+ ambientR = calcR;
+ ambientG = calcG;
+ ambientB = calcB;
+ }
+
+
+ public void specular(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// specular((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// specularFromCalc();
+// }
+ colorCalc(rgb);
+ specularFromCalc();
+ }
+
+
+ public void specular(float gray) {
+ colorCalc(gray);
+ specularFromCalc();
+ }
+
+
+ public void specular(float x, float y, float z) {
+ colorCalc(x, y, z);
+ specularFromCalc();
+ }
+
+
+ protected void specularFromCalc() {
+ specularR = calcR;
+ specularG = calcG;
+ specularB = calcB;
+ }
+
+
+ public void shininess(float shine) {
+ shininess = shine;
+ }
+
+
+ public void emissive(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// emissive((float) rgb);
+//
+// } else {
+// colorCalcARGB(rgb, colorModeA);
+// emissiveFromCalc();
+// }
+ colorCalc(rgb);
+ emissiveFromCalc();
+ }
+
+
+ public void emissive(float gray) {
+ colorCalc(gray);
+ emissiveFromCalc();
+ }
+
+
+ public void emissive(float x, float y, float z) {
+ colorCalc(x, y, z);
+ emissiveFromCalc();
+ }
+
+
+ protected void emissiveFromCalc() {
+ emissiveR = calcR;
+ emissiveG = calcG;
+ emissiveB = calcB;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // LIGHTS
+
+ // The details of lighting are very implementation-specific, so this base
+ // class does not handle any details of settings lights. It does however
+ // display warning messages that the functions are not available.
+
+
+ public void lights() {
+ showMethodWarning("lights");
+ }
+
+ public void noLights() {
+ showMethodWarning("noLights");
+ }
+
+ public void ambientLight(float red, float green, float blue) {
+ showMethodWarning("ambientLight");
+ }
+
+ public void ambientLight(float red, float green, float blue,
+ float x, float y, float z) {
+ showMethodWarning("ambientLight");
+ }
+
+ public void directionalLight(float red, float green, float blue,
+ float nx, float ny, float nz) {
+ showMethodWarning("directionalLight");
+ }
+
+ public void pointLight(float red, float green, float blue,
+ float x, float y, float z) {
+ showMethodWarning("pointLight");
+ }
+
+ public void spotLight(float red, float green, float blue,
+ float x, float y, float z,
+ float nx, float ny, float nz,
+ float angle, float concentration) {
+ showMethodWarning("spotLight");
+ }
+
+ public void lightFalloff(float constant, float linear, float quadratic) {
+ showMethodWarning("lightFalloff");
+ }
+
+ public void lightSpecular(float x, float y, float z) {
+ showMethodWarning("lightSpecular");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // BACKGROUND
+
+ /**
+ * Set the background to a gray or ARGB color.
+ *
+ * For the main drawing surface, the alpha value will be ignored. However,
+ * alpha can be used on PGraphics objects from createGraphics(). This is
+ * the only way to set all the pixels partially transparent, for instance.
+ *
+ * Note that background() should be called before any transformations occur,
+ * because some implementations may require the current transformation matrix
+ * to be identity before drawing.
+ */
+ public void background(int rgb) {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// background((float) rgb);
+//
+// } else {
+// if (format == RGB) {
+// rgb |= 0xff000000; // ignore alpha for main drawing surface
+// }
+// colorCalcARGB(rgb, colorModeA);
+// backgroundFromCalc();
+// backgroundImpl();
+// }
+ colorCalc(rgb);
+ backgroundFromCalc();
+ }
+
+
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ */
+ public void background(int rgb, float alpha) {
+// if (format == RGB) {
+// background(rgb); // ignore alpha for main drawing surface
+//
+// } else {
+// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+// background((float) rgb, alpha);
+//
+// } else {
+// colorCalcARGB(rgb, alpha);
+// backgroundFromCalc();
+// backgroundImpl();
+// }
+// }
+ colorCalc(rgb, alpha);
+ backgroundFromCalc();
+ }
+
+
+ /**
+ * Set the background to a grayscale value, based on the
+ * current colorMode.
+ */
+ public void background(float gray) {
+ colorCalc(gray);
+ backgroundFromCalc();
+// backgroundImpl();
+ }
+
+
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ */
+ public void background(float gray, float alpha) {
+ if (format == RGB) {
+ background(gray); // ignore alpha for main drawing surface
+
+ } else {
+ colorCalc(gray, alpha);
+ backgroundFromCalc();
+// backgroundImpl();
+ }
+ }
+
+
+ /**
+ * Set the background to an r, g, b or h, s, b value,
+ * based on the current colorMode.
+ */
+ public void background(float x, float y, float z) {
+ colorCalc(x, y, z);
+ backgroundFromCalc();
+// backgroundImpl();
+ }
+
+
+ /**
+ * Clear the background with a color that includes an alpha value. This can
+ * only be used with objects created by createGraphics(), because the main
+ * drawing surface cannot be set transparent.
+ *
+ * It might be tempting to use this function to partially clear the screen
+ * on each frame, however that's not how this function works. When calling
+ * background(), the pixels will be replaced with pixels that have that level
+ * of transparency. To do a semi-transparent overlay, use fill() with alpha
+ * and draw a rectangle.
+ */
+ public void background(float x, float y, float z, float a) {
+// if (format == RGB) {
+// background(x, y, z); // don't allow people to set alpha
+//
+// } else {
+// colorCalc(x, y, z, a);
+// backgroundFromCalc();
+// backgroundImpl();
+// }
+ colorCalc(x, y, z, a);
+ backgroundFromCalc();
+ }
+
+
+ protected void backgroundFromCalc() {
+ backgroundR = calcR;
+ backgroundG = calcG;
+ backgroundB = calcB;
+ backgroundA = (format == RGB) ? colorModeA : calcA;
+ backgroundRi = calcRi;
+ backgroundGi = calcGi;
+ backgroundBi = calcBi;
+ backgroundAi = (format == RGB) ? 255 : calcAi;
+ backgroundAlpha = (format == RGB) ? false : calcAlpha;
+ backgroundColor = calcColor;
+
+ backgroundImpl();
+ }
+
+
+ /**
+ * Takes an RGB or ARGB image and sets it as the background.
+ * The width and height of the image must be the same size as the sketch.
+ * Use image.resize(width, height) to make short work of such a task.
+ *
+ * Note that even if the image is set as RGB, the high 8 bits of each pixel
+ * should be set opaque (0xFF000000), because the image data will be copied
+ * directly to the screen, and non-opaque background images may have strange
+ * behavior. Using image.filter(OPAQUE) will handle this easily.
+ *
+ * When using 3D, this will also clear the zbuffer (if it exists).
+ */
+ public void background(PImage image) {
+ if ((image.width != width) || (image.height != height)) {
+ throw new RuntimeException(ERROR_BACKGROUND_IMAGE_SIZE);
+ }
+ if ((image.format != RGB) && (image.format != ARGB)) {
+ throw new RuntimeException(ERROR_BACKGROUND_IMAGE_FORMAT);
+ }
+ backgroundColor = 0; // just zero it out for images
+ backgroundImpl(image);
+ }
+
+
+ /**
+ * Actually set the background image. This is separated from the error
+ * handling and other semantic goofiness that is shared across renderers.
+ */
+ protected void backgroundImpl(PImage image) {
+ // blit image to the screen
+ set(0, 0, image);
+ }
+
+
+ /**
+ * Actual implementation of clearing the background, now that the
+ * internal variables for background color have been set. Called by the
+ * backgroundFromCalc() method, which is what all the other background()
+ * methods call once the work is done.
+ */
+ protected void backgroundImpl() {
+ pushStyle();
+ pushMatrix();
+ resetMatrix();
+ fill(backgroundColor);
+ rect(0, 0, width, height);
+ popMatrix();
+ popStyle();
+ }
+
+
+ /**
+ * Callback to handle clearing the background when begin/endRaw is in use.
+ * Handled as separate function for OpenGL (or other) subclasses that
+ * override backgroundImpl() but still needs this to work properly.
+ */
+// protected void backgroundRawImpl() {
+// if (raw != null) {
+// raw.colorMode(RGB, 1);
+// raw.noStroke();
+// raw.fill(backgroundR, backgroundG, backgroundB);
+// raw.beginShape(TRIANGLES);
+//
+// raw.vertex(0, 0);
+// raw.vertex(width, 0);
+// raw.vertex(0, height);
+//
+// raw.vertex(width, 0);
+// raw.vertex(width, height);
+// raw.vertex(0, height);
+//
+// raw.endShape();
+// }
+// }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // COLOR MODE
+
+
+ public void colorMode(int mode) {
+ colorMode(mode, colorModeX, colorModeY, colorModeZ, colorModeA);
+ }
+
+
+ public void colorMode(int mode, float max) {
+ colorMode(mode, max, max, max, max);
+ }
+
+
+ /**
+ * Set the colorMode and the maximum values for (r, g, b)
+ * or (h, s, b).
+ *
+ * Note that this doesn't set the maximum for the alpha value,
+ * which might be confusing if for instance you switched to
+ *
+ * The problem with this code is that it has to detect between these two
+ * situations automatically. This is done by checking to see if the high bits
+ * (the alpha for 0xAA000000) is set, and if not, whether the color value
+ * that follows is less than colorModeX (first param passed to colorMode).
+ *
+ * This auto-detect would break in the following situation:
+ *
+ * Handled here with its own function since this is indepenent
+ * of the color mode.
+ *
+ * Strangely the old version of this code ignored the alpha
+ * value. not sure if that was a bug or what.
+ *
+ * Note, no need for a bounds check since it's a 32 bit number.
+ */
+ protected void colorCalcARGB(int argb, float alpha) {
+ if (alpha == colorModeA) {
+ calcAi = (argb >> 24) & 0xff;
+ calcColor = argb;
+ } else {
+ calcAi = (int) (((argb >> 24) & 0xff) * (alpha / colorModeA));
+ calcColor = (calcAi << 24) | (argb & 0xFFFFFF);
+ }
+ calcRi = (argb >> 16) & 0xff;
+ calcGi = (argb >> 8) & 0xff;
+ calcBi = argb & 0xff;
+ calcA = (float)calcAi / 255.0f;
+ calcR = (float)calcRi / 255.0f;
+ calcG = (float)calcGi / 255.0f;
+ calcB = (float)calcBi / 255.0f;
+ calcAlpha = (calcAi != 255);
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // COLOR DATATYPE STUFFING
+
+ // The 'color' primitive type in Processing syntax is in fact a 32-bit int.
+ // These functions handle stuffing color values into a 32-bit cage based
+ // on the current colorMode settings.
+
+ // These functions are really slow (because they take the current colorMode
+ // into account), but they're easy to use. Advanced users can write their
+ // own bit shifting operations to setup 'color' data types.
+
+
+ public final int color(int gray) { // ignore
+ if (((gray & 0xff000000) == 0) && (gray <= colorModeX)) {
+ if (colorModeDefault) {
+ // bounds checking to make sure the numbers aren't to high or low
+ if (gray > 255) gray = 255; else if (gray < 0) gray = 0;
+ return 0xff000000 | (gray << 16) | (gray << 8) | gray;
+ } else {
+ colorCalc(gray);
+ }
+ } else {
+ colorCalcARGB(gray, colorModeA);
+ }
+ return calcColor;
+ }
+
+
+ public final int color(float gray) { // ignore
+ colorCalc(gray);
+ return calcColor;
+ }
+
+
+ /**
+ * @param gray can be packed ARGB or a gray in this case
+ */
+ public final int color(int gray, int alpha) { // ignore
+ if (colorModeDefault) {
+ // bounds checking to make sure the numbers aren't to high or low
+ if (gray > 255) gray = 255; else if (gray < 0) gray = 0;
+ if (alpha > 255) alpha = 255; else if (alpha < 0) alpha = 0;
+
+ return ((alpha & 0xff) << 24) | (gray << 16) | (gray << 8) | gray;
+ }
+ colorCalc(gray, alpha);
+ return calcColor;
+ }
+
+
+ /**
+ * @param rgb can be packed ARGB or a gray in this case
+ */
+ public final int color(int rgb, float alpha) { // ignore
+ if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+ colorCalc(rgb, alpha);
+ } else {
+ colorCalcARGB(rgb, alpha);
+ }
+ return calcColor;
+ }
+
+
+ public final int color(float gray, float alpha) { // ignore
+ colorCalc(gray, alpha);
+ return calcColor;
+ }
+
+
+ public final int color(int x, int y, int z) { // ignore
+ if (colorModeDefault) {
+ // bounds checking to make sure the numbers aren't to high or low
+ if (x > 255) x = 255; else if (x < 0) x = 0;
+ if (y > 255) y = 255; else if (y < 0) y = 0;
+ if (z > 255) z = 255; else if (z < 0) z = 0;
+
+ return 0xff000000 | (x << 16) | (y << 8) | z;
+ }
+ colorCalc(x, y, z);
+ return calcColor;
+ }
+
+
+ public final int color(float x, float y, float z) { // ignore
+ colorCalc(x, y, z);
+ return calcColor;
+ }
+
+
+ public final int color(int x, int y, int z, int a) { // ignore
+ if (colorModeDefault) {
+ // bounds checking to make sure the numbers aren't to high or low
+ if (a > 255) a = 255; else if (a < 0) a = 0;
+ if (x > 255) x = 255; else if (x < 0) x = 0;
+ if (y > 255) y = 255; else if (y < 0) y = 0;
+ if (z > 255) z = 255; else if (z < 0) z = 0;
+
+ return (a << 24) | (x << 16) | (y << 8) | z;
+ }
+ colorCalc(x, y, z, a);
+ return calcColor;
+ }
+
+
+ public final int color(float x, float y, float z, float a) { // ignore
+ colorCalc(x, y, z, a);
+ return calcColor;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // COLOR DATATYPE EXTRACTION
+
+ // Vee have veys of making the colors talk.
+
+
+ public final float alpha(int what) {
+ float c = (what >> 24) & 0xff;
+ if (colorModeA == 255) return c;
+ return (c / 255.0f) * colorModeA;
+ }
+
+
+ public final float red(int what) {
+ float c = (what >> 16) & 0xff;
+ if (colorModeDefault) return c;
+ return (c / 255.0f) * colorModeX;
+ }
+
+
+ public final float green(int what) {
+ float c = (what >> 8) & 0xff;
+ if (colorModeDefault) return c;
+ return (c / 255.0f) * colorModeY;
+ }
+
+
+ public final float blue(int what) {
+ float c = (what) & 0xff;
+ if (colorModeDefault) return c;
+ return (c / 255.0f) * colorModeZ;
+ }
+
+
+ public final float hue(int what) {
+ if (what != cacheHsbKey) {
+ Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
+ what & 0xff, cacheHsbValue);
+ cacheHsbKey = what;
+ }
+ return cacheHsbValue[0] * colorModeX;
+ }
+
+
+ public final float saturation(int what) {
+ if (what != cacheHsbKey) {
+ Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
+ what & 0xff, cacheHsbValue);
+ cacheHsbKey = what;
+ }
+ return cacheHsbValue[1] * colorModeY;
+ }
+
+
+ public final float brightness(int what) {
+ if (what != cacheHsbKey) {
+ Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
+ what & 0xff, cacheHsbValue);
+ cacheHsbKey = what;
+ }
+ return cacheHsbValue[2] * colorModeZ;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // COLOR DATATYPE INTERPOLATION
+
+ // Against our better judgement.
+
+
+ /**
+ * Interpolate between two colors, using the current color mode.
+ */
+ public int lerpColor(int c1, int c2, float amt) {
+ return lerpColor(c1, c2, amt, colorMode);
+ }
+
+ static float[] lerpColorHSB1;
+ static float[] lerpColorHSB2;
+
+ /**
+ * Interpolate between two colors. Like lerp(), but for the
+ * individual color components of a color supplied as an int value.
+ */
+ static public int lerpColor(int c1, int c2, float amt, int mode) {
+ if (mode == RGB) {
+ float a1 = ((c1 >> 24) & 0xff);
+ float r1 = (c1 >> 16) & 0xff;
+ float g1 = (c1 >> 8) & 0xff;
+ float b1 = c1 & 0xff;
+ float a2 = (c2 >> 24) & 0xff;
+ float r2 = (c2 >> 16) & 0xff;
+ float g2 = (c2 >> 8) & 0xff;
+ float b2 = c2 & 0xff;
+
+ return (((int) (a1 + (a2-a1)*amt) << 24) |
+ ((int) (r1 + (r2-r1)*amt) << 16) |
+ ((int) (g1 + (g2-g1)*amt) << 8) |
+ ((int) (b1 + (b2-b1)*amt)));
+
+ } else if (mode == HSB) {
+ if (lerpColorHSB1 == null) {
+ lerpColorHSB1 = new float[3];
+ lerpColorHSB2 = new float[3];
+ }
+
+ float a1 = (c1 >> 24) & 0xff;
+ float a2 = (c2 >> 24) & 0xff;
+ int alfa = ((int) (a1 + (a2-a1)*amt)) << 24;
+
+ Color.RGBtoHSB((c1 >> 16) & 0xff, (c1 >> 8) & 0xff, c1 & 0xff,
+ lerpColorHSB1);
+ Color.RGBtoHSB((c2 >> 16) & 0xff, (c2 >> 8) & 0xff, c2 & 0xff,
+ lerpColorHSB2);
+
+ /* If mode is HSB, this will take the shortest path around the
+ * color wheel to find the new color. For instance, red to blue
+ * will go red violet blue (backwards in hue space) rather than
+ * cycling through ROYGBIV.
+ */
+ // Disabling rollover (wasn't working anyway) for 0126.
+ // Otherwise it makes full spectrum scale impossible for
+ // those who might want it...in spite of how despicable
+ // a full spectrum scale might be.
+ // roll around when 0.9 to 0.1
+ // more than 0.5 away means that it should roll in the other direction
+ /*
+ float h1 = lerpColorHSB1[0];
+ float h2 = lerpColorHSB2[0];
+ if (Math.abs(h1 - h2) > 0.5f) {
+ if (h1 > h2) {
+ // i.e. h1 is 0.7, h2 is 0.1
+ h2 += 1;
+ } else {
+ // i.e. h1 is 0.1, h2 is 0.7
+ h1 += 1;
+ }
+ }
+ float ho = (PApplet.lerp(lerpColorHSB1[0], lerpColorHSB2[0], amt)) % 1.0f;
+ */
+ float ho = PApplet.lerp(lerpColorHSB1[0], lerpColorHSB2[0], amt);
+ float so = PApplet.lerp(lerpColorHSB1[1], lerpColorHSB2[1], amt);
+ float bo = PApplet.lerp(lerpColorHSB1[2], lerpColorHSB2[2], amt);
+
+ return alfa | (Color.HSBtoRGB(ho, so, bo) & 0xFFFFFF);
+ }
+ return 0;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // BEGINRAW/ENDRAW
+
+
+ /**
+ * Record individual lines and triangles by echoing them to another renderer.
+ */
+ public void beginRaw(PGraphics rawGraphics) { // ignore
+ this.raw = rawGraphics;
+ rawGraphics.beginDraw();
+ }
+
+
+ public void endRaw() { // ignore
+ if (raw != null) {
+ // for 3D, need to flush any geometry that's been stored for sorting
+ // (particularly if the ENABLE_DEPTH_SORT hint is set)
+ flush();
+
+ // just like beginDraw, this will have to be called because
+ // endDraw() will be happening outside of draw()
+ raw.endDraw();
+ raw.dispose();
+ raw = null;
+ }
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // WARNINGS and EXCEPTIONS
+
+
+ static protected HashMap
+ * Code for copying, resizing, scaling, and blending contributed
+ * by toxi.
+ *
+ *
+ * @webref image
+ * @usage Web & Application
+ * @instanceName img any variable of type PImage
+ * @see processing.core.PApplet#loadImage(String)
+ * @see processing.core.PApplet#imageMode(int)
+ * @see processing.core.PApplet#createImage(int, int)
+ */
+public class PImage implements PConstants, Cloneable {
+
+ /**
+ * Format for this image, one of RGB, ARGB or ALPHA.
+ * note that RGB images still require 0xff in the high byte
+ * because of how they'll be manipulated by other functions
+ */
+ public int format;
+
+ /**
+ * Array containing the values for all the pixels in the image. These values are of the color datatype.
+ * This array is the size of the image, meaning if the image is 100x100 pixels, there will be 10000 values
+ * and if the window is 200x300 pixels, there will be 60000 values.
+ * The index value defines the position of a value within the array.
+ * For example, the statement color b = img.pixels[230] will set the variable b equal to the value at that location in the array.
+ * Before accessing this array, the data must loaded with the loadPixels() method.
+ * After the array data has been modified, the updatePixels() method must be run to update the changes.
+ * Without loadPixels(), running the code may (or will in future releases) result in a NullPointerException.
+ * @webref
+ * @brief Array containing the color of every pixel in the image
+ */
+ public int[] pixels;
+
+ /**
+ * The width of the image in units of pixels.
+ * @webref
+ * @brief Image width
+ */
+ public int width;
+ /**
+ * The height of the image in units of pixels.
+ * @webref
+ * @brief Image height
+ */
+ public int height;
+
+ /**
+ * Path to parent object that will be used with save().
+ * This prevents users from needing savePath() to use PImage.save().
+ */
+ public PApplet parent;
+
+
+ // . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . .
+
+
+ /** for subclasses that need to store info about the image */
+ protected HashMap
+ * As of revision 0100, this function requires an absolute path,
+ * in order to avoid confusion. To save inside the sketch folder,
+ * use the function savePath() from PApplet, or use saveFrame() instead.
+ * As of revision 0116, savePath() is not needed if this object has been
+ * created (as recommended) via createImage() or createGraphics() or
+ * one of its neighbors.
+ *
+ * As of revision 0115, when using Java 1.4 and later, you can write
+ * to several formats besides tga and tiff. If Java 1.4 is installed
+ * and the extension used is supported (usually png, jpg, jpeg, bmp,
+ * and tiff), then those methods will be used to write the image.
+ * To get a list of the supported formats for writing, use:
+ * To use the original built-in image writers, use .tga or .tif as the
+ * extension, or don't include an extension. When no extension is used,
+ * the extension .tif will be added to the file name.
+ *
+ * The ImageIO API claims to support wbmp files, however they probably
+ * require a black and white image. Basic testing produced a zero-length
+ * file with no error.
+ *
+ * @webref
+ * @brief Saves the image to a TIFF, TARGA, PNG, or JPEG file
+ * @param filename a sequence of letters and numbers
+ */
+ public void save(String filename) { // ignore
+ boolean success = false;
+
+ File file = new File(filename);
+ if (!file.isAbsolute()) {
+ if (parent != null) {
+ //file = new File(parent.savePath(filename));
+ filename = parent.savePath(filename);
+ } else {
+ String msg = "PImage.save() requires an absolute path. " +
+ "Use createImage(), or pass savePath() to save().";
+ PGraphics.showException(msg);
+ }
+ }
+
+ // Make sure the pixel data is ready to go
+ loadPixels();
+
+ try {
+ OutputStream os = null;
+
+ if (saveImageFormats == null) {
+ saveImageFormats = javax.imageio.ImageIO.getWriterFormatNames();
+ }
+ if (saveImageFormats != null) {
+ for (int i = 0; i < saveImageFormats.length; i++) {
+ if (filename.endsWith("." + saveImageFormats[i])) {
+ saveImageIO(filename);
+ return;
+ }
+ }
+ }
+
+ if (filename.toLowerCase().endsWith(".tga")) {
+ os = new BufferedOutputStream(new FileOutputStream(filename), 32768);
+ success = saveTGA(os); //, pixels, width, height, format);
+
+ } else {
+ if (!filename.toLowerCase().endsWith(".tif") &&
+ !filename.toLowerCase().endsWith(".tiff")) {
+ // if no .tif extension, add it..
+ filename += ".tif";
+ }
+ os = new BufferedOutputStream(new FileOutputStream(filename), 32768);
+ success = saveTIFF(os); //, pixels, width, height);
+ }
+ os.flush();
+ os.close();
+
+ } catch (IOException e) {
+ //System.err.println("Error while saving image.");
+ e.printStackTrace();
+ success = false;
+ }
+ if (!success) {
+ throw new RuntimeException("Error while saving image.");
+ }
+ }
+}
+
diff --git a/core/methods/methods.jar b/core/methods/methods.jar
new file mode 100644
index 000000000..ff4276ba3
Binary files /dev/null and b/core/methods/methods.jar differ
diff --git a/core/methods/src/PAppletMethods.java b/core/methods/src/PAppletMethods.java
new file mode 100644
index 000000000..0a0d0cf2a
--- /dev/null
+++ b/core/methods/src/PAppletMethods.java
@@ -0,0 +1,272 @@
+import java.io.BufferedReader;
+import java.io.ByteArrayOutputStream;
+import java.io.File;
+import java.io.FileInputStream;
+import java.io.FileNotFoundException;
+import java.io.IOException;
+import java.io.InputStreamReader;
+import java.io.PrintStream;
+import java.util.regex.Matcher;
+import java.util.regex.Pattern;
+
+import org.apache.tools.ant.BuildException;
+import org.apache.tools.ant.Task;
+
+
+/**
+ * Ant Task for copying the PImage and PGraphics methods into PApplet.
+ */
+public class PAppletMethods extends Task {
+
+ private File baseDir;
+
+
+ public PAppletMethods() {
+ }
+
+
+ public void setDir(String dir) {
+ baseDir = new File(dir);
+ }
+
+
+ public void execute() throws BuildException {
+ // Do a bunch of checks...
+ if (baseDir == null) {
+ throw new BuildException("dir parameter must be set!");
+ }
+
+ //System.out.println("using basedir " + baseDir);
+ File graphicsFile = new File(baseDir, "PGraphics.java");
+ File appletFile = new File(baseDir, "PApplet.java");
+ File imageFile = new File(baseDir, "PImage.java");
+
+ if (!graphicsFile.exists() || !graphicsFile.canRead()) {
+ throw new BuildException("PGraphics file not readable: " +
+ graphicsFile.getAbsolutePath());
+ }
+
+ if (!appletFile.exists() ||
+ !appletFile.canRead() ||
+ !appletFile.canWrite()) {
+ throw new BuildException("PApplet file not read/writeable: " +
+ appletFile.getAbsolutePath());
+ }
+
+ if (!imageFile.exists() || !imageFile.canRead()) {
+ throw new BuildException("PImage file not readable: " +
+ imageFile.getAbsolutePath());
+ }
+
+ // Looking good, let's do this!
+ //ByteArrayOutputStream outBytes = new ByteArrayOutputStream();
+ //PrintStream out = new PrintStream(outBytes, "UTF-8");
+ StringBuffer out = new StringBuffer();
+ StringBuffer content = new StringBuffer();
+
+ try{
+ BufferedReader applet = createReader(appletFile);
+ String line;
+ while ((line = applet.readLine()) != null) {
+ out.append(line);
+ out.append('\n'); // to avoid Windows CRs
+ content.append(line);
+ content.append('\n'); // for efficiency
+
+ if (line.indexOf("public functions for processing.core") >= 0) {
+ break;
+ }
+ }
+
+ // read the rest of the file and append it to the
+ while ((line = applet.readLine()) != null) {
+ content.append(line);
+ content.append('\n');
+ }
+
+ applet.close();
+ process(out, graphicsFile);
+ process(out, imageFile);
+
+ out.append('}');
+ out.append('\n');
+
+ //} catch (IOException e) {
+ //e.printStackTrace();
+
+ } catch (Exception e) {
+ //ex.printStackTrace();
+ throw new BuildException(e);
+ }
+ //out.flush();
+
+ String outString = out.toString();
+ if (content.toString().equals(outString)) {
+ System.out.println("No changes to PApplet API.");
+ } else {
+ System.out.println("Updating PApplet with API changes " +
+ "from PImage or PGraphics.");
+ try {
+ PrintStream temp = new PrintStream(appletFile, "UTF-8");
+ temp.print(outString);
+ temp.flush();
+ temp.close();
+ } catch (IOException e) {
+ //e.printStackTrace();
+ throw new BuildException(e);
+ }
+ }
+ }
+
+
+ private void process(StringBuffer out, File input) throws IOException {
+ BufferedReader in = createReader(input);
+ int comments = 0;
+ String line = null;
+ StringBuffer commentBuffer = new StringBuffer();
+
+ while ((line = in.readLine()) != null) {
+ String decl = "";
+
+ // Keep track of comments
+ //if (line.matches(Pattern.quote("/*"))) {
+ if (line.indexOf("/*") != -1) {
+ comments++;
+ }
+
+ //if (line.matches(Pattern.quote("*/"))) {
+ if (line.indexOf("*/") != -1) {
+ commentBuffer.append(line);
+ commentBuffer.append('\n');
+ //System.out.println("comment is: " + commentBuffer.toString());
+ comments--;
+ // otherwise gotSomething will be false, and nuke the comment
+ continue;
+ }
+
+ // Ignore everything inside comments
+ if (comments > 0) {
+ commentBuffer.append(line);
+ commentBuffer.append('\n');
+ continue;
+ }
+
+ boolean gotSomething = false;
+ boolean gotStatic = false;
+
+ Matcher result;
+
+ if ((result = Pattern.compile("^\\s*public ([\\w\\[\\]]+) [a-zA-z_]+\\(.*$").matcher(line)).matches()) {
+ gotSomething = true;
+
+ } else if ((result = Pattern.compile("^\\s*abstract public ([\\w\\[\\]]+) [a-zA-z_]+\\(.*$").matcher(line)).matches()) {
+ gotSomething = true;
+
+ } else if ((result = Pattern.compile("^\\s*public final ([\\w\\[\\]]+) [a-zA-z_]+\\(.*$").matcher(line)).matches()) {
+ gotSomething = true;
+
+ } else if ((result = Pattern.compile("^\\s*static public ([\\w\\[\\]]+) [a-zA-z_]+\\(.*$").matcher(line)).matches()) {
+ gotSomething = true;
+ gotStatic = true;
+ }
+
+ // if function is marked "// ignore" then, uh, ignore it.
+ if (gotSomething && line.indexOf("// ignore") >= 0) {
+ gotSomething = false;
+ }
+
+ String returns = "";
+ if (gotSomething) {
+ if (result.group(1).equals("void")) {
+ returns = "";
+ } else {
+ returns = "return ";
+ }
+
+ // remove the abstract modifier
+ line = line.replaceFirst(Pattern.quote("abstract"), " ");
+
+ // replace semicolons with a start def
+ line = line.replaceAll(Pattern.quote(";"), " {\n");
+
+ //out.println("\n\n" + line);
+ out.append('\n');
+ out.append('\n');
+ // end has its own newline
+ //out.print(commentBuffer.toString()); // TODO disabled for now XXXX
+ out.append(commentBuffer.toString()); // duplicates all comments
+ commentBuffer.setLength(0);
+ out.append(line);
+ out.append('\n');
+
+ decl += line;
+ while(line.indexOf(')') == -1) {
+ line = in.readLine();
+ decl += line;
+ line = line.replaceAll("\\;\\s*$", " {\n");
+ out.append(line);
+ out.append('\n');
+ }
+
+ result = Pattern.compile(".*?\\s(\\S+)\\(.*?").matcher(decl);
+ // try to match. don't remove this or things will stop working!
+ result.matches();
+ String declName = result.group(1);
+ String gline = "";
+ String rline = "";
+ if (gotStatic) {
+ gline = " " + returns + "PGraphics." + declName + "(";
+ } else {
+ rline = " if (recorder != null) recorder." + declName + "(";
+ gline = " " + returns + "g." + declName + "(";
+ }
+
+ decl = decl.replaceAll("\\s+", " "); // smush onto a single line
+ decl = decl.replaceFirst("^.*\\(", "");
+ decl = decl.replaceFirst("\\).*$", "");
+
+ int prev = 0;
+ String parts[] = decl.split("\\, ");
+
+ for (String part : parts) {
+ if (!part.trim().equals("")) {
+ String blargh[] = part.split(" ");
+ String theArg = blargh[1].replaceAll("[\\[\\]]", "");
+
+ if (prev != 0) {
+ gline += ", ";
+ rline += ", ";
+ }
+
+ gline += theArg;
+ rline += theArg;
+ prev = 1;
+ }
+ }
+
+ gline += ");";
+ rline += ");";
+
+ if (!gotStatic && returns.equals("")) {
+ out.append(rline);
+ out.append('\n');
+ }
+ out.append(gline);
+ out.append('\n');
+ out.append(" }");
+ out.append('\n');
+
+ } else {
+ commentBuffer.setLength(0);
+ }
+ }
+
+ in.close();
+ }
+
+
+ static BufferedReader createReader(File file) throws IOException {
+ FileInputStream fis = new FileInputStream(file);
+ return new BufferedReader(new InputStreamReader(fis, "UTF-8"));
+ }
+}
diff --git a/core/src/processing/core/PApplet.java b/core/src/processing/core/PApplet.java
index 06541c547..5db088ba0 100644
--- a/core/src/processing/core/PApplet.java
+++ b/core/src/processing/core/PApplet.java
@@ -3,7 +3,7 @@
/*
Part of the Processing project - http://processing.org
- Copyright (c) 2004-09 Ben Fry and Casey Reas
+ Copyright (c) 2004-10 Ben Fry and Casey Reas
Copyright (c) 2001-04 Massachusetts Institute of Technology
This library is free software; you can redistribute it and/or
@@ -39,6 +39,8 @@ import javax.imageio.ImageIO;
import javax.swing.JFileChooser;
import javax.swing.SwingUtilities;
+import processing.core.PShape;
+
/**
* Base class for all sketches that use processing.core.
@@ -157,6 +159,7 @@ import javax.swing.SwingUtilities;
* itself (we must draw the line somewhere), because of how messy it would
* get to start talking about multiple screens. It's also not that tough to
* do by hand w/ some Java code.
- * This variable is not static, because future releases need to be better
- * at handling multiple displays.
+ * This variable is not static because in the desktop version of Processing,
+ * not all instances of PApplet will necessarily be started on a screen of
+ * the same size.
+ */
+ public int screenWidth, screenHeight;
+
+ /**
+ * Use screenW and screenH instead.
+ * @deprecated
*/
public Dimension screen =
Toolkit.getDefaultToolkit().getScreenSize();
@@ -305,23 +334,54 @@ public class PApplet extends Applet
volatile int resizeHeight;
/**
+ * Array containing the values for all the pixels in the display window. These values are of the color datatype. This array is the size of the display window. For example, if the image is 100x100 pixels, there will be 10000 values and if the window is 200x300 pixels, there will be 60000 values. The index value defines the position of a value within the array. For example, the statment color b = pixels[230] will set the variable b to be equal to the value at that location in the array.
* When used with OpenGL or Java2D, this value will
* be null until loadPixels() has been called.
+ *
+ * @webref image:pixels
+ * @see processing.core.PApplet#loadPixels()
+ * @see processing.core.PApplet#updatePixels()
+ * @see processing.core.PApplet#get(int, int, int, int)
+ * @see processing.core.PApplet#set(int, int, int)
+ * @see processing.core.PImage
*/
public int pixels[];
- /** width of this applet's associated PGraphics */
+ /** width of this applet's associated PGraphics
+ * @webref environment
+ */
public int width;
- /** height of this applet's associated PGraphics */
+ /** height of this applet's associated PGraphics
+ * @webref environment
+ * */
public int height;
- /** current x position of the mouse */
+ /**
+ * The system variable mouseX always contains the current horizontal coordinate of the mouse.
+ * @webref input:mouse
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
+ *
+ * */
public int mouseX;
- /** current y position of the mouse */
+ /**
+ * The system variable mouseY always contains the current vertical coordinate of the mouse.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mousePressed
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
+ * */
public int mouseY;
/**
@@ -332,8 +392,20 @@ public class PApplet extends Applet
* an event comes through. Be sure to use only one or the other type of
* means for tracking pmouseX and pmouseY within your sketch, otherwise
* you're gonna run into trouble.
+ * @webref input:mouse
+ * @see PApplet#pmouseY
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
*/
- public int pmouseX, pmouseY;
+ public int pmouseX;
+
+ /**
+ * @webref input:mouse
+ * @see PApplet#pmouseX
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ */
+ public int pmouseY;
/**
* previous mouseX/Y for the draw loop, separated out because this is
@@ -360,36 +432,84 @@ public class PApplet extends Applet
public boolean firstMouse;
/**
- * Last mouse button pressed, one of LEFT, CENTER, or RIGHT.
- *
+ * Processing automatically tracks if the mouse button is pressed and which button is pressed.
+ * The value of the system variable mouseButton is either LEFT, RIGHT, or CENTER depending on which button is pressed.
+ *
* If it's a coded key, i.e. UP/DOWN/CTRL/SHIFT/ALT,
* this will be set to CODED (0xffff or 65535).
+ * @webref input:keyboard
+ * @see PApplet#keyCode
+ * @see PApplet#keyPressed
+ * @see PApplet#keyPressed()
+ * @see PApplet#keyReleased()
*/
public char key;
/**
+ * The variable keyCode is used to detect special keys such as the UP, DOWN, LEFT, RIGHT arrow keys and ALT, CONTROL, SHIFT.
+ * When checking for these keys, it's first necessary to check and see if the key is coded. This is done with the conditional "if (key == CODED)" as shown in the example.
+ *
* For the arrow keys, keyCode will be one of UP, DOWN, LEFT and RIGHT.
* Also available are ALT, CONTROL and SHIFT. A full set of constants
* can be obtained from java.awt.event.KeyEvent, from the VK_XXXX variables.
+ * @webref input:keyboard
+ * @see PApplet#key
+ * @see PApplet#keyPressed
+ * @see PApplet#keyPressed()
+ * @see PApplet#keyReleased()
*/
public int keyCode;
/**
- * true if the mouse is currently pressed.
+ * The boolean system variable keyPressed is true if any key is pressed and false if no keys are pressed.
+ * @webref input:keyboard
+ * @see PApplet#key
+ * @see PApplet#keyCode
+ * @see PApplet#keyPressed()
+ * @see PApplet#keyReleased()
*/
public boolean keyPressed;
@@ -400,6 +520,7 @@ public class PApplet extends Applet
/**
* Gets set to true/false as the applet gains/loses focus.
+ * @webref environment
*/
public boolean focused = false;
@@ -408,6 +529,7 @@ public class PApplet extends Applet
*
* This can be used to test how the applet should behave
* since online situations are different (no file writing, etc).
+ * @webref environment
*/
public boolean online = false;
@@ -542,6 +664,10 @@ public class PApplet extends Applet
public void init() {
// println("Calling init()");
+ Dimension screen = Toolkit.getDefaultToolkit().getScreenSize();
+ screenWidth = screen.width;
+ screenHeight = screen.height;
+
// send tab keys through to the PApplet
setFocusTraversalKeysEnabled(false);
@@ -935,6 +1061,17 @@ public class PApplet extends Applet
/**
+ * Defines the dimension of the display window in units of pixels. The size() function must be the first line in setup(). If size() is not called, the default size of the window is 100x100 pixels. The system variables width and height are set by the parameters passed to the size() function.
@@ -948,12 +1085,19 @@ public class PApplet extends Applet
*
* If called once a renderer has already been set, this will
* use the previous renderer and simply resize it.
+ *
+ * @webref structure
+ * @param iwidth width of the display window in units of pixels
+ * @param iheight height of the display window in units of pixels
*/
public void size(int iwidth, int iheight) {
size(iwidth, iheight, JAVA2D, null);
}
-
+ /**
+ *
+ * @param irenderer Either P2D, P3D, JAVA2D, or OPENGL
+ */
public void size(int iwidth, int iheight, String irenderer) {
size(iwidth, iheight, irenderer, null);
}
@@ -1015,6 +1159,11 @@ public class PApplet extends Applet
/**
+ * Creates and returns a new PGraphics object of the types P2D, P3D, and JAVA2D. Use this class if you need to draw into an off-screen graphics buffer. It's not possible to use createGraphics() with OPENGL, because it doesn't allow offscreen use. The DXF and PDF renderers require the filename parameter.
+ *
* This is a function, rather than a variable, because it may
* change multiple times per frame.
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
+ *
*/
public int millis() {
return (int) (System.currentTimeMillis() - millisOffset);
}
- /** Seconds position of the current time. */
+ /** Seconds position of the current time.
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
+ * */
static public int second() {
return Calendar.getInstance().get(Calendar.SECOND);
}
- /** Minutes position of the current time. */
+ /**
+ * Processing communicates with the clock on your computer. The minute() function returns the current minute as a value from 0 - 59.
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
+ *
+ * */
static public int minute() {
return Calendar.getInstance().get(Calendar.MINUTE);
}
/**
+ * Processing communicates with the clock on your computer. The hour() function returns the current hour as a value from 0 - 23.
+ * =advanced
* Hour position of the current time in international format (0-23).
*
* To convert this value to American time:
* If you're looking for the day of the week (M-F or whatever)
* or day of the year (1..365) then use java's Calendar.get()
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
*/
static public int day() {
return Calendar.getInstance().get(Calendar.DAY_OF_MONTH);
}
/**
- * Get the current month in range 1 through 12.
+ * Processing communicates with the clock on your computer. The month() function returns the current month as a value from 1 - 12.
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#year()
*/
static public int month() {
// months are number 0..11 so change to colloquial 1..12
@@ -1941,7 +2230,16 @@ public class PApplet extends Applet
}
/**
- * Get the current year.
+ * Processing communicates with the clock on your computer.
+ * The year() function returns the current year as an integer (2003, 2004, 2005, etc).
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#hour()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
*/
static public int year() {
return Calendar.getInstance().get(Calendar.YEAR);
@@ -1978,12 +2276,20 @@ public class PApplet extends Applet
/**
+ * Specifies the number of frames to be displayed every second.
+ * If the processor is not fast enough to maintain the specified rate, it will not be achieved.
+ * For example, the function call frameRate(30) will attempt to refresh 30 times a second.
+ * It is recommended to set the frame rate within setup(). The default rate is 60 frames per second.
+ * =advanced
* Set a target frameRate. This will cause delay() to be called
* after each frame so that the sketch synchronizes to a particular speed.
* Note that this only sets the maximum frame rate, it cannot be used to
* make a slow sketch go faster. Sketches have no default frame rate
* setting, and will attempt to use maximum processor power to achieve
* maximum speed.
+ * @webref environment
+ * @param newRateTarget number of frames per second
+ * @see PApplet#delay(int)
*/
public void frameRate(float newRateTarget) {
frameRateTarget = newRateTarget;
@@ -1995,8 +2301,16 @@ public class PApplet extends Applet
/**
- * Get a param from the web page, or (eventually)
- * from a properties file.
+ * Reads the value of a param.
+ * Values are always read as a String so if you want them to be an integer or other datatype they must be converted.
+ * The param() function will only work in a web browser.
+ * The function should be called inside setup(),
+ * otherwise the applet may not yet be initialized and connected to its parent web browser.
+ *
+ * @webref input:web
+ * @usage Web
+ *
+ * @param what name of the param to read
*/
public String param(String what) {
if (online) {
@@ -2010,9 +2324,16 @@ public class PApplet extends Applet
/**
+ * Displays message in the browser's status area. This is the text area in the lower left corner of the browser.
+ * The status() function will only work when the Processing program is running in a web browser.
+ * =advanced
* Show status in the status bar of a web browser, or in the
* System.out console. Eventually this might show status in the
* p5 environment itself, rather than relying on the console.
+ *
+ * @webref input:web
+ * @usage Web
+ * @param what any valid String
*/
public void status(String what) {
if (online) {
@@ -2030,6 +2351,8 @@ public class PApplet extends Applet
/**
+ * Links to a webpage either in the same window or in a new window. The complete URL must be specified.
+ * =advanced
* Link to an external page without all the muss.
*
* When run with an applet, uses the browser to open the url,
@@ -2039,6 +2362,11 @@ public class PApplet extends Applet
*
* This method is useful if you want to use the facilities provided
@@ -4026,6 +4468,14 @@ public class PApplet extends Applet
*
* Exceptions are handled internally, when an error, occurs, an
@@ -4257,6 +4725,13 @@ public class PApplet extends Applet
* of new users (or people who are just trying to get things done
* in a "scripting" fashion. If you want to handle exceptions,
* use Java methods for I/O.
+ *
+ * @webref input:files
+ * @param filename name of the file or url to load
+ *
+ * @see processing.core.PApplet#loadBytes(String)
+ * @see processing.core.PApplet#saveStrings(String, String[])
+ * @see processing.core.PApplet#saveBytes(String, byte[])
*/
public String[] loadStrings(String filename) {
InputStream is = createInput(filename);
@@ -4491,10 +4966,10 @@ public class PApplet extends Applet
static public void saveStrings(OutputStream output, String strings[]) {
PrintWriter writer = createWriter(output);
- for (int i = 0; i < strings.length; i++) {
- writer.println(strings[i]);
- }
- writer.flush();
+ for (int i = 0; i < strings.length; i++) {
+ writer.println(strings[i]);
+ }
+ writer.flush();
writer.close();
}
@@ -6320,6 +6795,8 @@ public class PApplet extends Applet
/**
* As of 0116 this also takes color(#FF8800, alpha)
+ *
+ * @param gray number specifying value between white and black
*/
public final int color(int gray, int alpha) {
if (g == null) {
@@ -6384,7 +6861,18 @@ public class PApplet extends Applet
return g.color(x, y, z, a);
}
-
+ /**
+ * Creates colors for storing in variables of the color datatype. The parameters are interpreted as RGB or HSB values depending on the current colorMode(). The default mode is RGB values from 0 to 255 and therefore, the function call color(255, 204, 0) will return a bright yellow color. More about how colors are stored can be found in the reference for the color datatype.
+ *
+ * @webref color:creating_reading
+ * @param x red or hue values relative to the current color range
+ * @param y green or saturation values relative to the current color range
+ * @param z blue or brightness values relative to the current color range
+ * @param a alpha relative to current color range
+ *
+ * @see processing.core.PApplet#colorMode(int)
+ * @ref color_datatype
+ */
public final int color(float x, float y, float z, float a) {
if (g == null) {
if (a > 255) a = 255; else if (a < 0) a = 0;
@@ -6544,7 +7032,7 @@ public class PApplet extends Applet
if (platform == MACOSX) {
// Only run this on OS X otherwise it can cause a permissions error.
// http://dev.processing.org/bugs/show_bug.cgi?id=976
- System.setProperty("apple.awt.graphics.UseQuartz", "true");
+ System.setProperty("apple.awt.graphics.UseQuartz", useQuartz);
}
// This doesn't do anything.
@@ -6709,6 +7197,7 @@ public class PApplet extends Applet
frame.setBackground(backgroundColor);
if (exclusive) {
displayDevice.setFullScreenWindow(frame);
+ frame.setExtendedState(java.awt.Frame.MAXIMIZED_BOTH);
fullScreenRect = frame.getBounds();
} else {
DisplayMode mode = displayDevice.getDisplayMode();
@@ -6933,16 +7422,33 @@ public class PApplet extends Applet
/**
+ * Loads the pixel data for the display window into the pixels[] array. This function must always be called before reading from or writing to pixels[].
+ *
+ * Differences between beginShape() and line() and point() methods.
+ *
+ * beginShape() is intended to be more flexible at the expense of being
+ * a little more complicated to use. it handles more complicated shapes
+ * that can consist of many connected lines (so you get joins) or lines
+ * mixed with curves.
+ *
+ * The line() and point() command are for the far more common cases
+ * (particularly for our audience) that simply need to draw a line
+ * or a point on the screen.
+ *
+ * From the code side of things, line() may or may not call beginShape()
+ * to do the drawing. In the beta code, they do, but in the alpha code,
+ * they did not. they might be implemented one way or the other depending
+ * on tradeoffs of runtime efficiency vs. implementation efficiency &mdash
+ * meaning the speed that things run at vs. the speed it takes me to write
+ * the code and maintain it. for beta, the latter is most important so
+ * that's how things are implemented.
+ */
public void beginShape(int kind) {
if (recorder != null) recorder.beginShape(kind);
g.beginShape(kind);
}
+ /**
+ * Sets whether the upcoming vertex is part of an edge.
+ * Equivalent to glEdgeFlag(), for people familiar with OpenGL.
+ */
public void edge(boolean edge) {
if (recorder != null) recorder.edge(edge);
g.edge(edge);
}
+ /**
+ * Sets the current normal vector. Only applies with 3D rendering
+ * and inside a beginShape/endShape block.
+ *
+ * Implementation notes:
+ *
+ * cache all the points of the sphere in a static array
+ * top and bottom are just a bunch of triangles that land
+ * in the center point
+ *
+ * sphere is a series of concentric circles who radii vary
+ * along the shape, based on, er.. cos or something
+ *
+ * Identical to typing:
+ *
+ * Identical to typing out:
+ * Given an (x, y, z) coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
public float screenX(float x, float y, float z) {
return g.screenX(x, y, z);
}
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
public float screenY(float x, float y, float z) {
return g.screenY(x, y, z);
}
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
+ * Given an (x, y, z) coordinate, returns its z value.
+ * This value can be used to determine if an (x, y, z) coordinate
+ * is in front or in back of another (x, y, z) coordinate.
+ * The units are based on how the zbuffer is set up, and don't
+ * relate to anything "real". They're only useful for in
+ * comparison to another value obtained from screenZ(),
+ * or directly out of the zbuffer[].
+ */
public float screenZ(float x, float y, float z) {
return g.screenZ(x, y, z);
}
+ /**
+ * Returns the model space x value for an x, y, z coordinate.
+ *
+ * This will give you a coordinate after it has been transformed
+ * by translate(), rotate(), and camera(), but not yet transformed
+ * by the projection matrix. For instance, his can be useful for
+ * figuring out how points in 3D space relate to the edge
+ * coordinates of a shape.
+ */
public float modelX(float x, float y, float z) {
return g.modelX(x, y, z);
}
+ /**
+ * Returns the model space y value for an x, y, z coordinate.
+ */
public float modelY(float x, float y, float z) {
return g.modelY(x, y, z);
}
+ /**
+ * Returns the model space z value for an x, y, z coordinate.
+ */
public float modelZ(float x, float y, float z) {
return g.modelZ(x, y, z);
}
@@ -7770,12 +9145,26 @@ public class PApplet extends Applet
}
+ /**
+ * Disables drawing the stroke (outline). If both noStroke() and
+ * noFill() are called, no shapes will be drawn to the screen.
+ *
+ * @webref color:setting
+ *
+ * @see PGraphics#stroke(float, float, float, float)
+ */
public void noStroke() {
if (recorder != null) recorder.noStroke();
g.noStroke();
}
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ * See notes attached to the fill() function.
+ * @param rgb color value in hexadecimal notation
+ * (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
+ */
public void stroke(int rgb) {
if (recorder != null) recorder.stroke(rgb);
g.stroke(rgb);
@@ -7788,6 +9177,10 @@ public class PApplet extends Applet
}
+ /**
+ *
+ * @param gray specifies a value between white and black
+ */
public void stroke(float gray) {
if (recorder != null) recorder.stroke(gray);
g.stroke(gray);
@@ -7806,30 +9199,70 @@ public class PApplet extends Applet
}
+ /**
+ * Sets the color used to draw lines and borders around shapes. This color
+ * is either specified in terms of the RGB or HSB color depending on the
+ * current colorMode() (the default color space is RGB, with each
+ * value in the range from 0 to 255).
+ *
+ * For the main drawing surface, the alpha value will be ignored. However,
+ * alpha can be used on PGraphics objects from createGraphics(). This is
+ * the only way to set all the pixels partially transparent, for instance.
+ *
+ * Note that background() should be called before any transformations occur,
+ * because some implementations may require the current transformation matrix
+ * to be identity before drawing.
+ *
+ * @param rgb color value in hexadecimal notation (i.e. #FFCC00 or 0xFFFFCC00) Clear the background with a color that includes an alpha value. This can
+ * only be used with objects created by createGraphics(), because the main
+ * drawing surface cannot be set transparent. It might be tempting to use this function to partially clear the screen
+ * on each frame, however that's not how this function works. When calling
+ * background(), the pixels will be replaced with pixels that have that level
+ * of transparency. To do a semi-transparent overlay, use fill() with alpha
+ * and draw a rectangle.
+ * Note that even if the image is set as RGB, the high 8 bits of each pixel
+ * should be set opaque (0xFF000000), because the image data will be copied
+ * directly to the screen, and non-opaque background images may have strange
+ * behavior. Using image.filter(OPAQUE) will handle this easily.
+ *
+ * When using 3D, this will also clear the zbuffer (if it exists).
+ */
public void background(PImage image) {
if (recorder != null) recorder.background(image);
g.background(image);
}
+ /**
+ * @param mode Either RGB or HSB, corresponding to Red/Green/Blue and Hue/Saturation/Brightness
+ * @param max range for all color elements
+ */
public void colorMode(int mode) {
if (recorder != null) recorder.colorMode(mode);
g.colorMode(mode);
@@ -8070,12 +9637,34 @@ public class PApplet extends Applet
}
+ /**
+ * Set the colorMode and the maximum values for (r, g, b)
+ * or (h, s, b).
+ *
+ * Note that this doesn't set the maximum for the alpha value,
+ * which might be confusing if for instance you switched to
+ *
+ * If the image is in RGB format (i.e. on a PVideo object),
+ * the value will get its high bits set, just to avoid cases where
+ * they haven't been set already.
+ *
+ * If the image is in ALPHA format, this returns a white with its
+ * alpha value set.
+ *
+ * This function is included primarily for beginners. It is quite
+ * slow because it has to check to see if the x, y that was provided
+ * is inside the bounds, and then has to check to see what image
+ * type it is. If you want things to be more efficient, access the
+ * pixels[] array directly.
+ */
public int get(int x, int y) {
return g.get(x, y);
}
+ /**
+ * Reads the color of any pixel or grabs a group of pixels. If no parameters are specified, the entire image is returned. Get the value of one pixel by specifying an x,y coordinate. Get a section of the display window by specifing an additional width and height parameter. If the pixel requested is outside of the image window, black is returned. The numbers returned are scaled according to the current color ranges, but only RGB values are returned by this function. Even though you may have drawn a shape with colorMode(HSB), the numbers returned will be in RGB.
+ *
+ * Strictly speaking the "blue" value from the source image is
+ * used as the alpha color. For a fully grayscale image, this
+ * is correct, but for a color image it's not 100% accurate.
+ * For a more accurate conversion, first use filter(GRAY)
+ * which will make the image into a "correct" grayscale by
+ * performing a proper luminance-based conversion.
+ *
+ * @param maskArray any array of Integer numbers used as the alpha channel, needs to be same length as the image's pixel array
+ */
+ public void mask(int maskArray[]) {
+ if (recorder != null) recorder.mask(maskArray);
+ g.mask(maskArray);
}
- public void mask(PImage alpha) {
- if (recorder != null) recorder.mask(alpha);
- g.mask(alpha);
+ /**
+ * Masks part of an image from displaying by loading another image and using it as an alpha channel.
+ * This mask image should only contain grayscale data, but only the blue color channel is used.
+ * The mask image needs to be the same size as the image to which it is applied.
+ * In addition to using a mask image, an integer array containing the alpha channel data can be specified directly.
+ * This method is useful for creating dynamically generated alpha masks.
+ * This array must be of the same length as the target image's pixels array and should contain only grayscale data of values between 0-255.
+ * @webref
+ * @brief Masks part of the image from displaying
+ * @param maskImg any PImage object used as the alpha channel for "img", needs to be same size as "img"
+ */
+ public void mask(PImage maskImg) {
+ if (recorder != null) recorder.mask(maskImg);
+ g.mask(maskImg);
}
@@ -8195,12 +9988,41 @@ public class PApplet extends Applet
}
+ /**
+ * Filters an image as defined by one of the following modes:
+ * A useful reference for blending modes and their algorithms can be
+ * found in the SVG
+ * specification. It is important to note that Processing uses "fast" code, not
+ * necessarily "correct" code. No biggie, most software does. A nitpicker
+ * can find numerous "off by 1 division" problems in the blend code where
+ * >>8 or >>7 is used when strictly speaking
+ * /255.0 or /127.0 should have been used. For instance, exclusion (not intended for real-time use) reads
+ * r1 + r2 - ((2 * r1 * r2) / 255) because 255 == 1.0
+ * not 256 == 1.0. In other words, (255*255)>>8 is not
+ * the same as (255*255)/255. But for real-time use the shifts
+ * are preferrable, and the difference is insignificant for applications
+ * built with Processing.
- * Awful (and by that, I mean awesome) ascii (non)art for how this works:
+ * Awful (and by that, I mean awesome) ASCII (non-)art for how this works:
*
+ * This is used by the Create Font tool, or whatever anyone else dreams
+ * up for messing with fonts themselves.
+ *
+ * It is assumed that the calling class will handle closing
+ * the stream when finished.
+ */
+ public void save(OutputStream output) throws IOException {
+ DataOutputStream os = new DataOutputStream(output);
+
+ os.writeInt(glyphCount);
+
+ if ((name == null) || (psname == null)) {
+ name = "";
+ psname = "";
+ }
+
+ os.writeInt(11); // formerly numBits, now used for version number
+ os.writeInt(size); // formerly mboxX (was 64, now 48)
+ os.writeInt(0); // formerly mboxY, now ignored
+ os.writeInt(ascent); // formerly baseHt (was ignored)
+ os.writeInt(descent); // formerly struct padding for c version
+
+ for (int i = 0; i < glyphCount; i++) {
+ glyphs[i].writeHeader(os);
+ }
+
+ for (int i = 0; i < glyphCount; i++) {
+ glyphs[i].writeBitmap(os);
+ }
+
+ // version 11
+ os.writeUTF(name);
+ os.writeUTF(psname);
+ os.writeBoolean(smooth);
+
+ os.flush();
+ }
+
+
+ /**
+ * Create a new glyph, and add the character to the current font.
+ * @param c character to create an image for.
+ */
+ protected void addGlyph(char c) {
+ Glyph glyph = new Glyph(c);
+
+ if (glyphCount == glyphs.length) {
+ glyphs = (Glyph[]) PApplet.expand(glyphs);
+ }
+ if (glyphCount == 0) {
+ glyphs[glyphCount] = glyph;
+ if (glyph.value < 128) {
+ ascii[glyph.value] = 0;
+ }
+
+ } else if (glyphs[glyphCount-1].value < glyph.value) {
+ glyphs[glyphCount] = glyph;
+ if (glyph.value < 128) {
+ ascii[glyph.value] = glyphCount;
+ }
+
+ } else {
+ for (int i = 0; i < glyphCount; i++) {
+ if (glyphs[i].value > c) {
+ for (int j = glyphCount; j > i; --j) {
+ glyphs[j] = glyphs[j-1];
+ if (glyphs[j].value < 128) {
+ ascii[glyphs[j].value] = j;
+ }
+ }
+ glyphs[i] = glyph;
+ // cache locations of the ascii charset
+ if (c < 128) ascii[c] = i;
+ break;
+ }
+ }
+ }
+ glyphCount++;
+ }
+
+
+ public String getName() {
+ return name;
+ }
+
+
+ public String getPostScriptName() {
+ return psname;
+ }
+
+
/**
* Set the native complement of this font.
*/
@@ -254,6 +452,11 @@ public class PFont implements PConstants {
// }
return font;
}
+
+
+ public boolean isStream() {
+ return stream;
+ }
/**
@@ -284,77 +487,50 @@ public class PFont implements PConstants {
}
- /**
- * Write this PFont to an OutputStream.
- *
- * This is used by the Create Font tool, or whatever anyone else dreams
- * up for messing with fonts themselves.
- *
- * It is assumed that the calling class will handle closing
- * the stream when finished.
- */
- public void save(OutputStream output) throws IOException {
- DataOutputStream os = new DataOutputStream(output);
-
- os.writeInt(charCount);
-
- if ((name == null) || (psname == null)) {
- name = "";
- psname = "";
- }
- // formerly numBits, now used for version number
- //os.writeInt((name != null) ? 11 : 8);
- os.writeInt(11);
-
- os.writeInt(size); // formerly mboxX (was 64, now 48)
- os.writeInt(mbox2); // formerly mboxY (was 64, still 64)
- os.writeInt(ascent); // formerly baseHt (was ignored)
- os.writeInt(descent); // formerly struct padding for c version
-
- for (int i = 0; i < charCount; i++) {
- os.writeInt(value[i]);
- os.writeInt(height[i]);
- os.writeInt(width[i]);
- os.writeInt(setWidth[i]);
- os.writeInt(topExtent[i]);
- os.writeInt(leftExtent[i]);
- os.writeInt(0); // padding
- }
-
- for (int i = 0; i < charCount; i++) {
- for (int y = 0; y < height[i]; y++) {
- for (int x = 0; x < width[i]; x++) {
- os.write(images[i].pixels[y * mbox2 + x] & 0xff);
- }
- }
- }
-
- //if (name != null) { // version 11
- os.writeUTF(name);
- os.writeUTF(psname);
- os.writeBoolean(smooth);
- //}
-
- os.flush();
+ public Glyph getGlyph(char c) {
+ int index = index(c);
+ return (index == -1) ? null : glyphs[index];
}
/**
- * Get index for the char (convert from unicode to bagel charset).
+ * Get index for the character.
* @return index into arrays or -1 if not found
*/
- public int index(char c) {
+ protected int index(char c) {
+ if (lazy) {
+ int index = indexActual(c);
+ if (index != -1) {
+ return index;
+ }
+ if (font.canDisplay(c)) {
+ // create the glyph
+ addGlyph(c);
+ // now where did i put that?
+ return indexActual(c);
+
+ } else {
+ return -1;
+ }
+
+ } else {
+ return indexActual(c);
+ }
+ }
+
+
+ protected int indexActual(char c) {
// degenerate case, but the find function will have trouble
// if there are somehow zero chars in the lookup
//if (value.length == 0) return -1;
- if (charCount == 0) return -1;
+ if (glyphCount == 0) return -1;
// quicker lookup for the ascii fellers
if (c < 128) return ascii[c];
// some other unicode char, hunt it out
//return index_hunt(c, 0, value.length-1);
- return indexHunt(c, 0, charCount-1);
+ return indexHunt(c, 0, glyphCount-1);
}
@@ -362,14 +538,14 @@ public class PFont implements PConstants {
int pivot = (start + stop) / 2;
// if this is the char, then return it
- if (c == value[pivot]) return pivot;
+ if (c == glyphs[pivot].value) return pivot;
// char doesn't exist, otherwise would have been the pivot
//if (start == stop) return -1;
if (start >= stop) return -1;
// if it's in the lower half, continue searching that
- if (c < value[pivot]) return indexHunt(c, start, pivot-1);
+ if (c < glyphs[pivot].value) return indexHunt(c, start, pivot-1);
// if it's in the upper half, continue there
return indexHunt(c, pivot+1, stop);
@@ -390,7 +566,7 @@ public class PFont implements PConstants {
* The value is based on a font of size 1.
*/
public float ascent() {
- return ((float)ascent / fheight);
+ return ((float) ascent / (float) size);
}
@@ -399,7 +575,7 @@ public class PFont implements PConstants {
* The value is based on a font size of 1.
*/
public float descent() {
- return ((float)descent / fheight);
+ return ((float) descent / (float) size);
}
@@ -412,7 +588,7 @@ public class PFont implements PConstants {
int cc = index(c);
if (cc == -1) return 0;
- return ((float)setWidth[cc] / fwidth);
+ return ((float) glyphs[cc].setWidth / (float) size);
}
@@ -465,200 +641,19 @@ public class PFont implements PConstants {
*
* Not that I expect that to happen.
*/
- static public char[] DEFAULT_CHARSET;
+ static public char[] CHARSET;
static {
- DEFAULT_CHARSET = new char[126-33+1 + EXTRA_CHARS.length];
+ CHARSET = new char[126-33+1 + EXTRA_CHARS.length];
int index = 0;
for (int i = 33; i <= 126; i++) {
- DEFAULT_CHARSET[index++] = (char)i;
+ CHARSET[index++] = (char)i;
}
for (int i = 0; i < EXTRA_CHARS.length; i++) {
- DEFAULT_CHARSET[index++] = EXTRA_CHARS[i];
+ CHARSET[index++] = EXTRA_CHARS[i];
}
};
- /**
- * Create a new image-based font on the fly.
- *
- * @param font the font object to create from
- * @param charset array of all unicode chars that should be included
- * @param smooth true to enable smoothing/anti-aliasing
- */
- public PFont(Font font, boolean smooth, char charset[]) {
- // save this so that we can use the native version
- this.font = font;
- this.smooth = smooth;
-
- name = font.getName();
- psname = font.getPSName();
-
- // fix regression from sorting (bug #564)
- if (charset != null) {
- // charset needs to be sorted to make index lookup run more quickly
- // http://dev.processing.org/bugs/show_bug.cgi?id=494
- Arrays.sort(charset);
- }
-
- // the count gets reset later based on how many of
- // the chars are actually found inside the font.
- this.charCount = (charset == null) ? 65536 : charset.length;
- this.size = font.getSize();
-
- fwidth = fheight = size;
-
- PImage bitmaps[] = new PImage[charCount];
-
- // allocate enough space for the character info
- value = new int[charCount];
- height = new int[charCount];
- width = new int[charCount];
- setWidth = new int[charCount];
- topExtent = new int[charCount];
- leftExtent = new int[charCount];
-
- ascii = new int[128];
- for (int i = 0; i < 128; i++) ascii[i] = -1;
-
- int mbox3 = size * 3;
-
- BufferedImage playground =
- new BufferedImage(mbox3, mbox3, BufferedImage.TYPE_INT_RGB);
-
- Graphics2D g = (Graphics2D) playground.getGraphics();
- g.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
- smooth ?
- RenderingHints.VALUE_ANTIALIAS_ON :
- RenderingHints.VALUE_ANTIALIAS_OFF);
-
- g.setFont(font);
- FontMetrics metrics = g.getFontMetrics();
-
- int samples[] = new int[mbox3 * mbox3];
-
- int maxWidthHeight = 0;
- int index = 0;
- for (int i = 0; i < charCount; i++) {
- char c = (charset == null) ? (char)i : charset[i];
-
- if (!font.canDisplay(c)) { // skip chars not in the font
- continue;
- }
-
- g.setColor(Color.white);
- g.fillRect(0, 0, mbox3, mbox3);
- g.setColor(Color.black);
- g.drawString(String.valueOf(c), size, size * 2);
-
- // grabs copy of the current data.. so no updates (do each time)
- Raster raster = playground.getData();
- raster.getSamples(0, 0, mbox3, mbox3, 0, samples);
-
- int minX = 1000, maxX = 0;
- int minY = 1000, maxY = 0;
- boolean pixelFound = false;
-
- for (int y = 0; y < mbox3; y++) {
- for (int x = 0; x < mbox3; x++) {
- //int sample = raster.getSample(x, y, 0); // maybe?
- int sample = samples[y * mbox3 + x] & 0xff;
- // or int samples[] = raster.getPixel(x, y, null);
-
- //if (sample == 0) { // or just not white? hmm
- if (sample != 255) {
- if (x < minX) minX = x;
- if (y < minY) minY = y;
- if (x > maxX) maxX = x;
- if (y > maxY) maxY = y;
- pixelFound = true;
- }
- }
- }
-
- if (!pixelFound) {
- minX = minY = 0;
- maxX = maxY = 0;
- // this will create a 1 pixel white (clear) character..
- // maybe better to set one to -1 so nothing is added?
- }
-
- value[index] = c;
- height[index] = (maxY - minY) + 1;
- width[index] = (maxX - minX) + 1;
- setWidth[index] = metrics.charWidth(c);
- //System.out.println((char)c + " " + setWidth[index]);
-
- // cache locations of the ascii charset
- //if (value[i] < 128) ascii[value[i]] = i;
- if (c < 128) ascii[c] = index;
-
- // offset from vertical location of baseline
- // of where the char was drawn (size*2)
- topExtent[index] = size*2 - minY;
-
- // offset from left of where coord was drawn
- leftExtent[index] = minX - size;
-
- if (c == 'd') {
- ascent = topExtent[index];
- }
- if (c == 'p') {
- descent = -topExtent[index] + height[index];
- }
-
- if (width[index] > maxWidthHeight) maxWidthHeight = width[index];
- if (height[index] > maxWidthHeight) maxWidthHeight = height[index];
-
- bitmaps[index] = new PImage(width[index], height[index], ALPHA);
-
- for (int y = minY; y <= maxY; y++) {
- for (int x = minX; x <= maxX; x++) {
- int val = 255 - (samples[y * mbox3 + x] & 0xff);
- int pindex = (y - minY) * width[index] + (x - minX);
- bitmaps[index].pixels[pindex] = val;
- }
- }
- index++;
- }
- charCount = index;
-
- // foreign font, so just make ascent the max topExtent
- if ((ascent == 0) && (descent == 0)) {
- for (int i = 0; i < charCount; i++) {
- char cc = (char) value[i];
- if (Character.isWhitespace(cc) ||
- (cc == '\u00A0') || (cc == '\u2007') || (cc == '\u202F')) {
- continue;
- }
- if (topExtent[i] > ascent) {
- ascent = topExtent[i];
- }
- int d = -topExtent[i] + height[i];
- if (d > descent) {
- descent = d;
- }
- }
- }
- // size for image/texture is next power of 2 over largest char
- mbox2 = (int)
- Math.pow(2, Math.ceil(Math.log(maxWidthHeight) / Math.log(2)));
- twidth = theight = mbox2;
-
- // shove the smaller PImage data into textures of next-power-of-2 size,
- // so that this font can be used immediately by p5.
- images = new PImage[charCount];
- for (int i = 0; i < charCount; i++) {
- images[i] = new PImage(mbox2, mbox2, ALPHA);
- for (int y = 0; y < height[i]; y++) {
- System.arraycopy(bitmaps[i].pixels, y*width[i],
- images[i].pixels, y*mbox2,
- width[i]);
- }
- bitmaps[i] = null;
- }
- }
-
-
/**
* Get a list of the fonts installed on the system that can be used
* by Java. Not all fonts can be used in Java, in fact it's mostly
@@ -688,24 +683,195 @@ public class PFont implements PConstants {
GraphicsEnvironment ge =
GraphicsEnvironment.getLocalGraphicsEnvironment();
fonts = ge.getAllFonts();
- }
- }
-
-
- /**
- * Starting with Java 1.5, Apple broke the ability to specify most fonts.
- * This has been filed as bug #4769141 at bugreporter.apple.com. More info at
- * Bug 407.
- */
- static public Font findFont(String name) {
- loadFonts();
- if (PApplet.platform == PConstants.MACOSX) {
- for (int i = 0; i < fonts.length; i++) {
- if (name.equals(fonts[i].getName())) {
- return fonts[i];
+ if (PApplet.platform == PConstants.MACOSX) {
+ fontDifferent = new HashMap
- * For the most part, hints are temporary api quirks,
- * for which a proper api hasn't been properly worked out.
- * for instance SMOOTH_IMAGES existed because smooth()
- * wasn't yet implemented, but it will soon go away.
- *
- * They also exist for obscure features in the graphics
- * engine, like enabling/disabling single pixel lines
- * that ignore the zbuffer, the way they do in alphabot.
- *
- * Current hint options:
- *
* Implementation notes:
*
@@ -1751,6 +1959,9 @@ public class PGraphics extends PImage implements PConstants {
*
* [davbol 080801] now using separate sphereDetailU/V
*
+ * The parameter t varies between 0 and 1. The a and d parameters are the
+ * on-curve points, b and c are the control points. To make a two-dimensional
+ * curve, call this function once with the x coordinates and a second time
+ * with the y coordinates to get the location of a bezier curve at t.
+ *
+ * =advanced
* For instance, to convert the following example:
- * As of 0070, this function no longer doubles the first and
- * last points. The curves are a bit more boring, but it's more
+ * Draws a curved line on the screen. The first and second parameters
+ * specify the beginning control point and the last two parameters specify
+ * the ending control point. The middle parameters specify the start and
+ * stop of the curve. Longer curves can be created by putting a series of
+ * curve() functions together or using curveVertex().
+ * An additional function called curveTightness() provides control
+ * for the visual quality of the curve. The curve() function is an
+ * implementation of Catmull-Rom splines. Using the 3D version of requires
+ * rendering with P3D or OPENGL (see the Environment reference for more
+ * information).
+ *
+ * =advanced
+ * As of revision 0070, this function no longer doubles the first
+ * and last points. The curves are a bit more boring, but it's more
* mathematically correct, and properly mirrored in curvePoint().
*
* Identical to typing out:
@@ -4206,6 +4724,8 @@ public class PGraphics extends PImage implements PConstants {
* Note that background() should be called before any transformations occur,
* because some implementations may require the current transformation matrix
* to be identity before drawing.
+ *
+ * @param rgb color value in hexadecimal notation (i.e. #FFCC00 or 0xFFFFCC00) Clear the background with a color that includes an alpha value. This can
* only be used with objects created by createGraphics(), because the main
- * drawing surface cannot be set transparent.
- *
- * It might be tempting to use this function to partially clear the screen
+ * drawing surface cannot be set transparent. It might be tempting to use this function to partially clear the screen
* on each frame, however that's not how this function works. When calling
* background(), the pixels will be replaced with pixels that have that level
* of transparency. To do a semi-transparent overlay, use fill() with alpha
- * and draw a rectangle.
+ * and draw a rectangle.
* Code for copying, resizing, scaling, and blending contributed
* by toxi.
*
+ *
+ * @webref image
+ * @usage Web & Application
+ * @instanceName img any variable of type PImage
+ * @see processing.core.PApplet#loadImage(String)
+ * @see processing.core.PGraphics#imageMode(int)
+ * @see processing.core.PApplet#createImage(int, int)
*/
public class PImage implements PConstants, Cloneable {
@@ -48,8 +66,32 @@ public class PImage implements PConstants, Cloneable {
*/
public int format;
+ /**
+ * Array containing the values for all the pixels in the image. These values are of the color datatype.
+ * This array is the size of the image, meaning if the image is 100x100 pixels, there will be 10000 values
+ * and if the window is 200x300 pixels, there will be 60000 values.
+ * The index value defines the position of a value within the array.
+ * For example, the statement color b = img.pixels[230] will set the variable b equal to the value at that location in the array.
+ * Before accessing this array, the data must loaded with the loadPixels() method.
+ * After the array data has been modified, the updatePixels() method must be run to update the changes.
+ * Without loadPixels(), running the code may (or will in future releases) result in a NullPointerException.
+ * @webref
+ * @brief Array containing the color of every pixel in the image
+ */
public int[] pixels;
- public int width, height;
+
+ /**
+ * The width of the image in units of pixels.
+ * @webref
+ * @brief Image width
+ */
+ public int width;
+ /**
+ * The height of the image in units of pixels.
+ * @webref
+ * @brief Image height
+ */
+ public int height;
/**
* Path to parent object that will be used with save().
@@ -125,7 +167,12 @@ public class PImage implements PConstants, Cloneable {
// toxi: agreed and same reasons why i left it out ;)
}
-
+ /**
+ *
+ * @param width image width
+ * @param height image height
+ * @param format Either RGB, ARGB, ALPHA (grayscale alpha channel)
+ */
public PImage(int width, int height, int format) {
init(width, height, format);
}
@@ -171,6 +218,8 @@ public class PImage implements PConstants, Cloneable {
* Construct a new PImage from a java.awt.Image. This constructor assumes
* that you've done the work of making sure a MediaTracker has been used
* to fully download the data and that the img is valid.
+ *
+ * @param img assumes a MediaTracker has been used to fully download the data and the img is valid
*/
public PImage(java.awt.Image img) {
if (img instanceof BufferedImage) {
@@ -275,31 +324,39 @@ public class PImage implements PConstants, Cloneable {
/**
+ * Loads the pixel data for the image into its pixels[] array. This function must always be called before reading from or writing to pixels[].
+ *
* This is not currently used by any of the renderers, however the api
* is structured this way in the hope of being able to use this to
* speed things up in the future.
+ * @webref
+ * @brief Updates the image with the data in its pixels[] array
+ * @param x
+ * @param y
+ * @param w
+ * @param h
*/
public void updatePixels(int x, int y, int w, int h) { // ignore
// if (imageMode == CORNER) { // x2, y2 are w/h
@@ -369,8 +426,14 @@ public class PImage implements PConstants, Cloneable {
/**
- * Resize this image to a new width and height.
- * Use 0 for wide or high to make that dimension scale proportionally.
+ * Resize the image to a new width and height. To make the image scale proportionally, use 0 as the value for the wide or high parameter.
+ *
+ * @webref
+ * @brief Changes the size of an image to a new width and height
+ * @param wide the resized image width
+ * @param high the resized image height
+ *
+ * @see processing.core.PImage#get(int, int, int, int)
*/
public void resize(int wide, int high) { // ignore
// Make sure that the pixels[] array is valid
@@ -442,8 +505,20 @@ public class PImage implements PConstants, Cloneable {
/**
- * Grab a subsection of a PImage, and copy it into a fresh PImage.
- * As of release 0149, no longer honors imageMode() for the coordinates.
+ * Reads the color of any pixel or grabs a group of pixels. If no parameters are specified, the entire image is returned. Get the value of one pixel by specifying an x,y coordinate. Get a section of the display window by specifing an additional width and height parameter. If the pixel requested is outside of the image window, black is returned. The numbers returned are scaled according to the current color ranges, but only RGB values are returned by this function. Even though you may have drawn a shape with colorMode(HSB), the numbers returned will be in RGB.
+ *
- *
*
* As of revision 0100, this function requires an absolute path,
@@ -2651,15 +2795,19 @@ public class PImage implements PConstants, Cloneable {
* The ImageIO API claims to support wbmp files, however they probably
* require a black and white image. Basic testing produced a zero-length
* file with no error.
+ *
+ * @webref
+ * @brief Saves the image to a TIFF, TARGA, PNG, or JPEG file
+ * @param filename a sequence of letters and numbers
*/
- public void save(String path) { // ignore
+ public void save(String filename) { // ignore
boolean success = false;
- File file = new File(path);
+ File file = new File(filename);
if (!file.isAbsolute()) {
if (parent != null) {
//file = new File(parent.savePath(filename));
- path = parent.savePath(path);
+ filename = parent.savePath(filename);
} else {
String msg = "PImage.save() requires an absolute path. " +
"Use createImage(), or pass savePath() to save().";
@@ -2678,24 +2826,24 @@ public class PImage implements PConstants, Cloneable {
}
if (saveImageFormats != null) {
for (int i = 0; i < saveImageFormats.length; i++) {
- if (path.endsWith("." + saveImageFormats[i])) {
- saveImageIO(path);
+ if (filename.endsWith("." + saveImageFormats[i])) {
+ saveImageIO(filename);
return;
}
}
}
- if (path.toLowerCase().endsWith(".tga")) {
- os = new BufferedOutputStream(new FileOutputStream(path), 32768);
+ if (filename.toLowerCase().endsWith(".tga")) {
+ os = new BufferedOutputStream(new FileOutputStream(filename), 32768);
success = saveTGA(os); //, pixels, width, height, format);
} else {
- if (!path.toLowerCase().endsWith(".tif") &&
- !path.toLowerCase().endsWith(".tiff")) {
+ if (!filename.toLowerCase().endsWith(".tif") &&
+ !filename.toLowerCase().endsWith(".tiff")) {
// if no .tif extension, add it..
- path += ".tif";
+ filename += ".tif";
}
- os = new BufferedOutputStream(new FileOutputStream(path), 32768);
+ os = new BufferedOutputStream(new FileOutputStream(filename), 32768);
success = saveTIFF(os); //, pixels, width, height);
}
os.flush();
diff --git a/core/src/processing/core/PPolygon.java b/core/src/processing/core/PPolygon.java
index 2a20b7c78..0651fbe2d 100644
--- a/core/src/processing/core/PPolygon.java
+++ b/core/src/processing/core/PPolygon.java
@@ -419,7 +419,7 @@ public class PPolygon implements PConstants {
int tr, tg, tb, ta;
// System.out.println("P2D interp uv " + interpUV + " " +
-// vertices[2][U] + " " + vertices[2][V]);
+// vertices[2][U] + " " + vertices[2][V]);
for (int x = lx; x <= rx; x++) {
// map texture based on U, V coords in sp[U] and sp[V]
if (interpUV) {
diff --git a/core/src/processing/core/PShape.java b/core/src/processing/core/PShape.java
index cf2274480..a1a5fb99e 100644
--- a/core/src/processing/core/PShape.java
+++ b/core/src/processing/core/PShape.java
@@ -25,8 +25,17 @@ package processing.core;
import java.util.HashMap;
+import processing.core.PApplet;
+
/**
+ * Datatype for storing shapes. Processing can currently load and display SVG (Scalable Vector Graphics) shapes.
+ * Before a shape is used, it must be loaded with the loadShape() function. The shape() function is used to draw the shape to the display window.
+ * The PShape object contain a group of methods, linked below, that can operate on the shape data.
+ * Library developers are encouraged to create PShape objects when loading
* shape data, so that they can eventually hook into the bounty that will be
* the PShape interface, and the ease of loadShape() and shape().
+ *
+ * For releases 0116 and later, if you have problems such as those seen
+ * in Bugs 279 and 305, use Applet.getImage() instead. You'll be stuck
+ * with the limitations of getImage() (the headache of dealing with
+ * online/offline use). Set up your own MediaTracker, and pass the resulting
+ * java.awt.Image to the PImage constructor that takes an AWT image.
+ */
+ public PImage loadImage(String filename) {
+ return loadImage(filename, null);
+ }
+
+
+ /**
+ * Loads an image into a variable of type PImage. Four types of images ( .gif, .jpg, .tga, .png) images may be loaded. To load correctly, images must be located in the data directory of the current sketch. In most cases, load all images in setup() to preload them at the start of the program. Loading images inside draw() will reduce the speed of a program.
+ *
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
The extension parameter is used to determine the image type in cases where the image filename does not end with a proper extension. Specify the extension as the second parameter to loadImage(), as shown in the third example on this page.
+ *
If an image is not loaded successfully, the null value is returned and an error message will be printed to the console. The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned from loadImage() is null.
Depending on the type of error, a PImage object may still be returned, but the width and height of the image will be set to -1. This happens if bad image data is returned or cannot be decoded properly. Sometimes this happens with image URLs that produce a 403 error or that redirect to a password prompt, because loadImage() will attempt to interpret the HTML as image data.
+ *
+ * =advanced
+ * Identical to loadImage, but allows you to specify the type of
+ * image by its extension. Especially useful when downloading from
+ * CGI scripts.
+ *
+ * Use 'unknown' as the extension to pass off to the default
+ * image loader that handles gif, jpg, and png.
+ *
+ * @webref image:loading_displaying
+ * @param filename name of file to load, can be .gif, .jpg, .tga, or a handful of other image types depending on your platform.
+ * @param extension the type of image to load, for example "png", "gif", "jpg"
+ *
+ * @see processing.core.PImage
+ * @see processing.core.PApplet#image(PImage, float, float, float, float)
+ * @see processing.core.PApplet#imageMode(int)
+ * @see processing.core.PApplet#background(float, float, float)
+ */
+ public PImage loadImage(String filename, String extension) {
+ if (extension == null) {
+ String lower = filename.toLowerCase();
+ int dot = filename.lastIndexOf('.');
+ if (dot == -1) {
+ extension = "unknown"; // no extension found
+ }
+ extension = lower.substring(dot + 1);
+
+ // check for, and strip any parameters on the url, i.e.
+ // filename.jpg?blah=blah&something=that
+ int question = extension.indexOf('?');
+ if (question != -1) {
+ extension = extension.substring(0, question);
+ }
+ }
+
+ // just in case. them users will try anything!
+ extension = extension.toLowerCase();
+
+ if (extension.equals("tga")) {
+ try {
+ return loadImageTGA(filename);
+ } catch (IOException e) {
+ e.printStackTrace();
+ return null;
+ }
+ }
+
+ if (extension.equals("tif") || extension.equals("tiff")) {
+ byte bytes[] = loadBytes(filename);
+ return (bytes == null) ? null : PImage.loadTIFF(bytes);
+ }
+
+ // For jpeg, gif, and png, load them using createImage(),
+ // because the javax.imageio code was found to be much slower, see
+ // Bug 392.
+ try {
+ if (extension.equals("jpg") || extension.equals("jpeg") ||
+ extension.equals("gif") || extension.equals("png") ||
+ extension.equals("unknown")) {
+ byte bytes[] = loadBytes(filename);
+ if (bytes == null) {
+ return null;
+ } else {
+ Image awtImage = Toolkit.getDefaultToolkit().createImage(bytes);
+ PImage image = loadImageMT(awtImage);
+ if (image.width == -1) {
+ System.err.println("The file " + filename +
+ " contains bad image data, or may not be an image.");
+ }
+ // if it's a .gif image, test to see if it has transparency
+ if (extension.equals("gif") || extension.equals("png")) {
+ image.checkAlpha();
+ }
+ return image;
+ }
+ }
+ } catch (Exception e) {
+ // show error, but move on to the stuff below, see if it'll work
+ e.printStackTrace();
+ }
+
+ if (loadImageFormats == null) {
+ loadImageFormats = ImageIO.getReaderFormatNames();
+ }
+ if (loadImageFormats != null) {
+ for (int i = 0; i < loadImageFormats.length; i++) {
+ if (extension.equals(loadImageFormats[i])) {
+ return loadImageIO(filename);
+ }
+ }
+ }
+
+ // failed, could not load image after all those attempts
+ System.err.println("Could not find a method to load " + filename);
+ return null;
+ }
+
+ public PImage requestImage(String filename) {
+ return requestImage(filename, null);
+ }
+
+
+ /**
+ * This function load images on a separate thread so that your sketch does not freeze while images load during setup(). While the image is loading, its width and height will be 0. If an error occurs while loading the image, its width and height will be set to -1. You'll know when the image has loaded properly because its width and height will be greater than 0. Asynchronous image loading (particularly when downloading from a server) can dramatically improve performance.
+ * The extension parameter is used to determine the image type in cases where the image filename does not end with a proper extension. Specify the extension as the second parameter to requestImage().
+ *
+ * @webref image:loading_displaying
+ * @param filename name of file to load, can be .gif, .jpg, .tga, or a handful of other image types depending on your platform
+ * @param extension the type of image to load, for example "png", "gif", "jpg"
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ */
+ public PImage requestImage(String filename, String extension) {
+ PImage vessel = createImage(0, 0, ARGB);
+ AsyncImageLoader ail =
+ new AsyncImageLoader(filename, extension, vessel);
+ ail.start();
+ return vessel;
+ }
+
+
+ /**
+ * By trial and error, four image loading threads seem to work best when
+ * loading images from online. This is consistent with the number of open
+ * connections that web browsers will maintain. The variable is made public
+ * (however no accessor has been added since it's esoteric) if you really
+ * want to have control over the value used. For instance, when loading local
+ * files, it might be better to only have a single thread (or two) loading
+ * images so that you're disk isn't simply jumping around.
+ */
+ public int requestImageMax = 4;
+ volatile int requestImageCount;
+
+ class AsyncImageLoader extends Thread {
+ String filename;
+ String extension;
+ PImage vessel;
+
+ public AsyncImageLoader(String filename, String extension, PImage vessel) {
+ this.filename = filename;
+ this.extension = extension;
+ this.vessel = vessel;
+ }
+
+ public void run() {
+ while (requestImageCount == requestImageMax) {
+ try {
+ Thread.sleep(10);
+ } catch (InterruptedException e) { }
+ }
+ requestImageCount++;
+
+ PImage actual = loadImage(filename, extension);
+
+ // An error message should have already printed
+ if (actual == null) {
+ vessel.width = -1;
+ vessel.height = -1;
+
+ } else {
+ vessel.width = actual.width;
+ vessel.height = actual.height;
+ vessel.format = actual.format;
+ vessel.pixels = actual.pixels;
+ }
+ requestImageCount--;
+ }
+ }
+
+
+ /**
+ * Load an AWT image synchronously by setting up a MediaTracker for
+ * a single image, and blocking until it has loaded.
+ */
+ protected PImage loadImageMT(Image awtImage) {
+ MediaTracker tracker = new MediaTracker(this);
+ tracker.addImage(awtImage, 0);
+ try {
+ tracker.waitForAll();
+ } catch (InterruptedException e) {
+ //e.printStackTrace(); // non-fatal, right?
+ }
+
+ PImage image = new PImage(awtImage);
+ image.parent = this;
+ return image;
+ }
+
+
+ /**
+ * Use Java 1.4 ImageIO methods to load an image.
+ */
+ protected PImage loadImageIO(String filename) {
+ InputStream stream = createInput(filename);
+ if (stream == null) {
+ System.err.println("The image " + filename + " could not be found.");
+ return null;
+ }
+
+ try {
+ BufferedImage bi = ImageIO.read(stream);
+ PImage outgoing = new PImage(bi.getWidth(), bi.getHeight());
+ outgoing.parent = this;
+
+ bi.getRGB(0, 0, outgoing.width, outgoing.height,
+ outgoing.pixels, 0, outgoing.width);
+
+ // check the alpha for this image
+ // was gonna call getType() on the image to see if RGB or ARGB,
+ // but it's not actually useful, since gif images will come through
+ // as TYPE_BYTE_INDEXED, which means it'll still have to check for
+ // the transparency. also, would have to iterate through all the other
+ // types and guess whether alpha was in there, so.. just gonna stick
+ // with the old method.
+ outgoing.checkAlpha();
+
+ // return the image
+ return outgoing;
+
+ } catch (Exception e) {
+ e.printStackTrace();
+ return null;
+ }
+ }
+
+
+ /**
+ * Targa image loader for RLE-compressed TGA files.
+ *
+ * The filename parameter can also be a URL to a file found online.
+ * For security reasons, a Processing sketch found online can only download files from the same server from which it came.
+ * Getting around this restriction requires a signed applet.
+ *
+ * If a shape is not loaded successfully, the null value is returned and an error message will be printed to the console.
+ * The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned from loadShape() is null.
+ *
+ * @webref shape:loading_displaying
+ * @see PShape
+ * @see PApplet#shape(PShape)
+ * @see PApplet#shapeMode(int)
+ */
+ public PShape loadShape(String filename) {
+ if (filename.toLowerCase().endsWith(".svg")) {
+ return new PShapeSVG(this, filename);
+ }
+ return null;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // FONT I/O
+
+
+ public PFont loadFont(String filename) {
+ try {
+ InputStream input = createInput(filename);
+ return new PFont(input);
+
+ } catch (Exception e) {
+ die("Could not load font " + filename + ". " +
+ "Make sure that the font has been copied " +
+ "to the data folder of your sketch.", e);
+ }
+ return null;
+ }
+
+
+ public PFont createFont(String name, float size) {
+ return createFont(name, size, true, PFont.DEFAULT_CHARSET);
+ }
+
+
+ public PFont createFont(String name, float size, boolean smooth) {
+ return createFont(name, size, smooth, PFont.DEFAULT_CHARSET);
+ }
+
+
+ /**
+ * Create a .vlw font on the fly from either a font name that's
+ * installed on the system, or from a .ttf or .otf that's inside
+ * the data folder of this sketch.
+ *
If the requested item doesn't exist, null is returned.
+ *
In earlier releases, this method was called openStream().
+ *
If not online, this will also check to see if the user is asking for a file whose name isn't properly capitalized. If capitalization is different an error will be printed to the console. This helps prevent issues that appear when a sketch is exported to the web, where case sensitivity matters, as opposed to running from inside the Processing Development Environment on Windows or Mac OS, where case sensitivity is preserved but ignored.
+ *
The filename passed in can be:
+ * - A URL, for instance openStream("http://processing.org/");
+ * - A file in the sketch's data folder
+ * - The full path to a file to be opened locally (when running as an application)
+ *
+ * If the file ends with .gz, the stream will automatically be gzip decompressed. If you don't want the automatic decompression, use the related function createInputRaw().
+ *
+ * =advanced
+ * Simplified method to open a Java InputStream.
+ *
+ *
+ *
+ * @webref input:files
+ * @see processing.core.PApplet#createOutput(String)
+ * @see processing.core.PApplet#selectOutput(String)
+ * @see processing.core.PApplet#selectInput(String)
+ *
+ * @param filename the name of the file to use as input
+ *
+ */
+ public InputStream createInput(String filename) {
+ InputStream input = createInputRaw(filename);
+ if ((input != null) && filename.toLowerCase().endsWith(".gz")) {
+ try {
+ return new GZIPInputStream(input);
+ } catch (IOException e) {
+ e.printStackTrace();
+ return null;
+ }
+ }
+ return input;
+ }
+
+
+ /**
+ * Call openStream() without automatic gzip decompression.
+ */
+ public InputStream createInputRaw(String filename) {
+ InputStream stream = null;
+
+ if (filename == null) return null;
+
+ if (filename.length() == 0) {
+ // an error will be called by the parent function
+ //System.err.println("The filename passed to openStream() was empty.");
+ return null;
+ }
+
+ // safe to check for this as a url first. this will prevent online
+ // access logs from being spammed with GET /sketchfolder/http://blahblah
+ if (filename.indexOf(":") != -1) { // at least smells like URL
+ try {
+ URL url = new URL(filename);
+ stream = url.openStream();
+ return stream;
+
+ } catch (MalformedURLException mfue) {
+ // not a url, that's fine
+
+ } catch (FileNotFoundException fnfe) {
+ // Java 1.5 likes to throw this when URL not available. (fix for 0119)
+ // http://dev.processing.org/bugs/show_bug.cgi?id=403
+
+ } catch (IOException e) {
+ // changed for 0117, shouldn't be throwing exception
+ e.printStackTrace();
+ //System.err.println("Error downloading from URL " + filename);
+ return null;
+ //throw new RuntimeException("Error downloading from URL " + filename);
+ }
+ }
+
+ // Moved this earlier than the getResourceAsStream() checks, because
+ // calling getResourceAsStream() on a directory lists its contents.
+ // http://dev.processing.org/bugs/show_bug.cgi?id=716
+ try {
+ // First see if it's in a data folder. This may fail by throwing
+ // a SecurityException. If so, this whole block will be skipped.
+ File file = new File(dataPath(filename));
+ if (!file.exists()) {
+ // next see if it's just in the sketch folder
+ file = new File(sketchPath, filename);
+ }
+ if (file.isDirectory()) {
+ return null;
+ }
+ if (file.exists()) {
+ try {
+ // handle case sensitivity check
+ String filePath = file.getCanonicalPath();
+ String filenameActual = new File(filePath).getName();
+ // make sure there isn't a subfolder prepended to the name
+ String filenameShort = new File(filename).getName();
+ // if the actual filename is the same, but capitalized
+ // differently, warn the user.
+ //if (filenameActual.equalsIgnoreCase(filenameShort) &&
+ //!filenameActual.equals(filenameShort)) {
+ if (!filenameActual.equals(filenameShort)) {
+ throw new RuntimeException("This file is named " +
+ filenameActual + " not " +
+ filename + ". Rename the file " +
+ "or change your code.");
+ }
+ } catch (IOException e) { }
+ }
+
+ // if this file is ok, may as well just load it
+ stream = new FileInputStream(file);
+ if (stream != null) return stream;
+
+ // have to break these out because a general Exception might
+ // catch the RuntimeException being thrown above
+ } catch (IOException ioe) {
+ } catch (SecurityException se) { }
+
+ // Using getClassLoader() prevents java from converting dots
+ // to slashes or requiring a slash at the beginning.
+ // (a slash as a prefix means that it'll load from the root of
+ // the jar, rather than trying to dig into the package location)
+ ClassLoader cl = getClass().getClassLoader();
+
+ // by default, data files are exported to the root path of the jar.
+ // (not the data folder) so check there first.
+ stream = cl.getResourceAsStream("data/" + filename);
+ if (stream != null) {
+ String cn = stream.getClass().getName();
+ // this is an irritation of sun's java plug-in, which will return
+ // a non-null stream for an object that doesn't exist. like all good
+ // things, this is probably introduced in java 1.5. awesome!
+ // http://dev.processing.org/bugs/show_bug.cgi?id=359
+ if (!cn.equals("sun.plugin.cache.EmptyInputStream")) {
+ return stream;
+ }
+ }
+
+ // When used with an online script, also need to check without the
+ // data folder, in case it's not in a subfolder called 'data'.
+ // http://dev.processing.org/bugs/show_bug.cgi?id=389
+ stream = cl.getResourceAsStream(filename);
+ if (stream != null) {
+ String cn = stream.getClass().getName();
+ if (!cn.equals("sun.plugin.cache.EmptyInputStream")) {
+ return stream;
+ }
+ }
+
+ try {
+ // attempt to load from a local file, used when running as
+ // an application, or as a signed applet
+ try { // first try to catch any security exceptions
+ try {
+ stream = new FileInputStream(dataPath(filename));
+ if (stream != null) return stream;
+ } catch (IOException e2) { }
+
+ try {
+ stream = new FileInputStream(sketchPath(filename));
+ if (stream != null) return stream;
+ } catch (Exception e) { } // ignored
+
+ try {
+ stream = new FileInputStream(filename);
+ if (stream != null) return stream;
+ } catch (IOException e1) { }
+
+ } catch (SecurityException se) { } // online, whups
+
+ } catch (Exception e) {
+ //die(e.getMessage(), e);
+ e.printStackTrace();
+ }
+ return null;
+ }
+
+
+ static public InputStream createInput(File file) {
+ if (file == null) {
+ throw new IllegalArgumentException("File passed to createInput() was null");
+ }
+ try {
+ InputStream input = new FileInputStream(file);
+ if (file.getName().toLowerCase().endsWith(".gz")) {
+ return new GZIPInputStream(input);
+ }
+ return input;
+
+ } catch (IOException e) {
+ System.err.println("Could not createInput() for " + file);
+ e.printStackTrace();
+ return null;
+ }
+ }
+
+
+ /**
+ * Reads the contents of a file or url and places it in a byte array. If a file is specified, it must be located in the sketch's "data" directory/folder.
+ *
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
+ * @webref input:files
+ * @param filename name of a file in the data folder or a URL.
+ *
+ * @see processing.core.PApplet#loadStrings(String)
+ * @see processing.core.PApplet#saveStrings(String, String[])
+ * @see processing.core.PApplet#saveBytes(String, byte[])
+ *
+ */
+ public byte[] loadBytes(String filename) {
+ InputStream is = createInput(filename);
+ if (is != null) return loadBytes(is);
+
+ System.err.println("The file \"" + filename + "\" " +
+ "is missing or inaccessible, make sure " +
+ "the URL is valid or that the file has been " +
+ "added to your sketch and is readable.");
+ return null;
+ }
+
+
+ static public byte[] loadBytes(InputStream input) {
+ try {
+ BufferedInputStream bis = new BufferedInputStream(input);
+ ByteArrayOutputStream out = new ByteArrayOutputStream();
+
+ int c = bis.read();
+ while (c != -1) {
+ out.write(c);
+ c = bis.read();
+ }
+ return out.toByteArray();
+
+ } catch (IOException e) {
+ e.printStackTrace();
+ //throw new RuntimeException("Couldn't load bytes from stream");
+ }
+ return null;
+ }
+
+
+ static public byte[] loadBytes(File file) {
+ InputStream is = createInput(file);
+ return loadBytes(is);
+ }
+
+
+ static public String[] loadStrings(File file) {
+ InputStream is = createInput(file);
+ if (is != null) return loadStrings(is);
+ return null;
+ }
+
+
+ /**
+ * Reads the contents of a file or url and creates a String array of its individual lines. If a file is specified, it must be located in the sketch's "data" directory/folder.
+ *
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
If the file is not available or an error occurs, null will be returned and an error message will be printed to the console. The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned is null.
+ *
Starting with Processing release 0134, all files loaded and saved by the Processing API use UTF-8 encoding. In previous releases, the default encoding for your platform was used, which causes problems when files are moved to other platforms.
+ *
+ * =advanced
+ * Load data from a file and shove it into a String array.
+ * arraycopy(src, 0, dst, 0, length);
+ */
+ static public void arrayCopy(Object src, Object dst, int length) {
+ System.arraycopy(src, 0, dst, 0, length);
+ }
+
+
+ /**
+ * Shortcut to copy the entire contents of
+ * the source into the destination array.
+ * Identical to arraycopy(src, 0, dst, 0, src.length);
+ */
+ static public void arrayCopy(Object src, Object dst) {
+ System.arraycopy(src, 0, dst, 0, Array.getLength(src));
+ }
+
+ //
+
+ /**
+ * @deprecated Use arrayCopy() instead.
+ */
+ static public void arraycopy(Object src, int srcPosition,
+ Object dst, int dstPosition,
+ int length) {
+ System.arraycopy(src, srcPosition, dst, dstPosition, length);
+ }
+
+ /**
+ * @deprecated Use arrayCopy() instead.
+ */
+ static public void arraycopy(Object src, Object dst, int length) {
+ System.arraycopy(src, 0, dst, 0, length);
+ }
+
+ /**
+ * @deprecated Use arrayCopy() instead.
+ */
+ static public void arraycopy(Object src, Object dst) {
+ System.arraycopy(src, 0, dst, 0, Array.getLength(src));
+ }
+
+ //
+
+ static public boolean[] expand(boolean list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public boolean[] expand(boolean list[], int newSize) {
+ boolean temp[] = new boolean[newSize];
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public byte[] expand(byte list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public byte[] expand(byte list[], int newSize) {
+ byte temp[] = new byte[newSize];
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public char[] expand(char list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public char[] expand(char list[], int newSize) {
+ char temp[] = new char[newSize];
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public int[] expand(int list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public int[] expand(int list[], int newSize) {
+ int temp[] = new int[newSize];
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public float[] expand(float list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public float[] expand(float list[], int newSize) {
+ float temp[] = new float[newSize];
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public String[] expand(String list[]) {
+ return expand(list, list.length << 1);
+ }
+
+ static public String[] expand(String list[], int newSize) {
+ String temp[] = new String[newSize];
+ // in case the new size is smaller than list.length
+ System.arraycopy(list, 0, temp, 0, Math.min(newSize, list.length));
+ return temp;
+ }
+
+
+ static public Object expand(Object array) {
+ return expand(array, Array.getLength(array) << 1);
+ }
+
+ static public Object expand(Object list, int newSize) {
+ Class> type = list.getClass().getComponentType();
+ Object temp = Array.newInstance(type, newSize);
+ System.arraycopy(list, 0, temp, 0,
+ Math.min(Array.getLength(list), newSize));
+ return temp;
+ }
+
+ //
+
+ // contract() has been removed in revision 0124, use subset() instead.
+ // (expand() is also functionally equivalent)
+
+ //
+
+ static public byte[] append(byte b[], byte value) {
+ b = expand(b, b.length + 1);
+ b[b.length-1] = value;
+ return b;
+ }
+
+ static public char[] append(char b[], char value) {
+ b = expand(b, b.length + 1);
+ b[b.length-1] = value;
+ return b;
+ }
+
+ static public int[] append(int b[], int value) {
+ b = expand(b, b.length + 1);
+ b[b.length-1] = value;
+ return b;
+ }
+
+ static public float[] append(float b[], float value) {
+ b = expand(b, b.length + 1);
+ b[b.length-1] = value;
+ return b;
+ }
+
+ static public String[] append(String b[], String value) {
+ b = expand(b, b.length + 1);
+ b[b.length-1] = value;
+ return b;
+ }
+
+ static public Object append(Object b, Object value) {
+ int length = Array.getLength(b);
+ b = expand(b, length + 1);
+ Array.set(b, length, value);
+ return b;
+ }
+
+ //
+
+ static public boolean[] shorten(boolean list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public byte[] shorten(byte list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public char[] shorten(char list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public int[] shorten(int list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public float[] shorten(float list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public String[] shorten(String list[]) {
+ return subset(list, 0, list.length-1);
+ }
+
+ static public Object shorten(Object list) {
+ int length = Array.getLength(list);
+ return subset(list, 0, length - 1);
+ }
+
+ //
+
+ static final public boolean[] splice(boolean list[],
+ boolean v, int index) {
+ boolean outgoing[] = new boolean[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public boolean[] splice(boolean list[],
+ boolean v[], int index) {
+ boolean outgoing[] = new boolean[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public byte[] splice(byte list[],
+ byte v, int index) {
+ byte outgoing[] = new byte[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public byte[] splice(byte list[],
+ byte v[], int index) {
+ byte outgoing[] = new byte[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public char[] splice(char list[],
+ char v, int index) {
+ char outgoing[] = new char[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public char[] splice(char list[],
+ char v[], int index) {
+ char outgoing[] = new char[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public int[] splice(int list[],
+ int v, int index) {
+ int outgoing[] = new int[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public int[] splice(int list[],
+ int v[], int index) {
+ int outgoing[] = new int[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public float[] splice(float list[],
+ float v, int index) {
+ float outgoing[] = new float[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public float[] splice(float list[],
+ float v[], int index) {
+ float outgoing[] = new float[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public String[] splice(String list[],
+ String v, int index) {
+ String outgoing[] = new String[list.length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ outgoing[index] = v;
+ System.arraycopy(list, index, outgoing, index + 1,
+ list.length - index);
+ return outgoing;
+ }
+
+ static final public String[] splice(String list[],
+ String v[], int index) {
+ String outgoing[] = new String[list.length + v.length];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, v.length);
+ System.arraycopy(list, index, outgoing, index + v.length,
+ list.length - index);
+ return outgoing;
+ }
+
+
+ static final public Object splice(Object list, Object v, int index) {
+ Object[] outgoing = null;
+ int length = Array.getLength(list);
+
+ // check whether item being spliced in is an array
+ if (v.getClass().getName().charAt(0) == '[') {
+ int vlength = Array.getLength(v);
+ outgoing = new Object[length + vlength];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ System.arraycopy(v, 0, outgoing, index, vlength);
+ System.arraycopy(list, index, outgoing, index + vlength, length - index);
+
+ } else {
+ outgoing = new Object[length + 1];
+ System.arraycopy(list, 0, outgoing, 0, index);
+ Array.set(outgoing, index, v);
+ System.arraycopy(list, index, outgoing, index + 1, length - index);
+ }
+ return outgoing;
+ }
+
+ //
+
+ static public boolean[] subset(boolean list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public boolean[] subset(boolean list[], int start, int count) {
+ boolean output[] = new boolean[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public byte[] subset(byte list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public byte[] subset(byte list[], int start, int count) {
+ byte output[] = new byte[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public char[] subset(char list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public char[] subset(char list[], int start, int count) {
+ char output[] = new char[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public int[] subset(int list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public int[] subset(int list[], int start, int count) {
+ int output[] = new int[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public float[] subset(float list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public float[] subset(float list[], int start, int count) {
+ float output[] = new float[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public String[] subset(String list[], int start) {
+ return subset(list, start, list.length - start);
+ }
+
+ static public String[] subset(String list[], int start, int count) {
+ String output[] = new String[count];
+ System.arraycopy(list, start, output, 0, count);
+ return output;
+ }
+
+
+ static public Object subset(Object list, int start) {
+ int length = Array.getLength(list);
+ return subset(list, start, length - start);
+ }
+
+ static public Object subset(Object list, int start, int count) {
+ Class> type = list.getClass().getComponentType();
+ Object outgoing = Array.newInstance(type, count);
+ System.arraycopy(list, start, outgoing, 0, count);
+ return outgoing;
+ }
+
+ //
+
+ static public boolean[] concat(boolean a[], boolean b[]) {
+ boolean c[] = new boolean[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public byte[] concat(byte a[], byte b[]) {
+ byte c[] = new byte[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public char[] concat(char a[], char b[]) {
+ char c[] = new char[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public int[] concat(int a[], int b[]) {
+ int c[] = new int[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public float[] concat(float a[], float b[]) {
+ float c[] = new float[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public String[] concat(String a[], String b[]) {
+ String c[] = new String[a.length + b.length];
+ System.arraycopy(a, 0, c, 0, a.length);
+ System.arraycopy(b, 0, c, a.length, b.length);
+ return c;
+ }
+
+ static public Object concat(Object a, Object b) {
+ Class> type = a.getClass().getComponentType();
+ int alength = Array.getLength(a);
+ int blength = Array.getLength(b);
+ Object outgoing = Array.newInstance(type, alength + blength);
+ System.arraycopy(a, 0, outgoing, 0, alength);
+ System.arraycopy(b, 0, outgoing, alength, blength);
+ return outgoing;
+ }
+
+ //
+
+ static public boolean[] reverse(boolean list[]) {
+ boolean outgoing[] = new boolean[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public byte[] reverse(byte list[]) {
+ byte outgoing[] = new byte[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public char[] reverse(char list[]) {
+ char outgoing[] = new char[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public int[] reverse(int list[]) {
+ int outgoing[] = new int[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public float[] reverse(float list[]) {
+ float outgoing[] = new float[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public String[] reverse(String list[]) {
+ String outgoing[] = new String[list.length];
+ int length1 = list.length - 1;
+ for (int i = 0; i < list.length; i++) {
+ outgoing[i] = list[length1 - i];
+ }
+ return outgoing;
+ }
+
+ static public Object reverse(Object list) {
+ Class> type = list.getClass().getComponentType();
+ int length = Array.getLength(list);
+ Object outgoing = Array.newInstance(type, length);
+ for (int i = 0; i < length; i++) {
+ Array.set(outgoing, i, Array.get(list, (length - 1) - i));
+ }
+ return outgoing;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // STRINGS
+
+
+ /**
+ * Remove whitespace characters from the beginning and ending
+ * of a String. Works like String.trim() but includes the
+ * unicode nbsp character as well.
+ */
+ static public String trim(String str) {
+ return str.replace('\u00A0', ' ').trim();
+ }
+
+
+ /**
+ * Trim the whitespace from a String array. This returns a new
+ * array and does not affect the passed-in array.
+ */
+ static public String[] trim(String[] array) {
+ String[] outgoing = new String[array.length];
+ for (int i = 0; i < array.length; i++) {
+ outgoing[i] = array[i].replace('\u00A0', ' ').trim();
+ }
+ return outgoing;
+ }
+
+
+ /**
+ * Join an array of Strings together as a single String,
+ * separated by the whatever's passed in for the separator.
+ */
+ static public String join(String str[], char separator) {
+ return join(str, String.valueOf(separator));
+ }
+
+
+ /**
+ * Join an array of Strings together as a single String,
+ * separated by the whatever's passed in for the separator.
+ *
+ * e.g. String stuff[] = { "apple", "bear", "cat" };
+ * String list = join(stuff, ", ");
+ * // list is now "apple, bear, cat"
+ */
+ static public String join(String str[], String separator) {
+ StringBuffer buffer = new StringBuffer();
+ for (int i = 0; i < str.length; i++) {
+ if (i != 0) buffer.append(separator);
+ buffer.append(str[i]);
+ }
+ return buffer.toString();
+ }
+
+
+ /**
+ * Split the provided String at wherever whitespace occurs.
+ * Multiple whitespace (extra spaces or tabs or whatever)
+ * between items will count as a single break.
+ *
+ * i.e. splitTokens("a b") -> { "a", "b" }
+ * splitTokens("a b") -> { "a", "b" }
+ * splitTokens("a\tb") -> { "a", "b" }
+ * splitTokens("a \t b ") -> { "a", "b" }
+ */
+ static public String[] splitTokens(String what) {
+ return splitTokens(what, WHITESPACE);
+ }
+
+
+ /**
+ * Splits a string into pieces, using any of the chars in the
+ * String 'delim' as separator characters. For instance,
+ * in addition to white space, you might want to treat commas
+ * as a separator. The delimeter characters won't appear in
+ * the returned String array.
+ *
+ * i.e. splitTokens("a, b", " ,") -> { "a", "b" }
+ *
+ * To include all the whitespace possibilities, use the variable
+ * WHITESPACE, found in PConstants:
+ *
+ * i.e. splitTokens("a | b", WHITESPACE + "|"); -> { "a", "b" }
+ */
+ static public String[] splitTokens(String what, String delim) {
+ StringTokenizer toker = new StringTokenizer(what, delim);
+ String pieces[] = new String[toker.countTokens()];
+
+ int index = 0;
+ while (toker.hasMoreTokens()) {
+ pieces[index++] = toker.nextToken();
+ }
+ return pieces;
+ }
+
+
+ /**
+ * Split a string into pieces along a specific character.
+ * Most commonly used to break up a String along a space or a tab
+ * character.
+ * static public void main(String args[]) {
+ * PApplet.main(new String[] { "YourSketchName" });
+ * }
+ * This will properly launch your applet from a double-clickable
+ * .jar or from the command line.
+ *
+ * Parameters useful for launching or also used by the PDE:
+ *
+ * --location=x,y upper-lefthand corner of where the applet
+ * should appear on screen. if not used,
+ * the default is to center on the main screen.
+ *
+ * --present put the applet into full screen presentation
+ * mode. requires java 1.4 or later.
+ *
+ * --exclusive use full screen exclusive mode when presenting.
+ * disables new windows or interaction with other
+ * monitors, this is like a "game" mode.
+ *
+ * --hide-stop use to hide the stop button in situations where
+ * you don't want to allow users to exit. also
+ * see the FAQ on information for capturing the ESC
+ * key when running in presentation mode.
+ *
+ * --stop-color=#xxxxxx color of the 'stop' text used to quit an
+ * sketch when it's in present mode.
+ *
+ * --bgcolor=#xxxxxx background color of the window.
+ *
+ * --sketch-path location of where to save files from functions
+ * like saveStrings() or saveFrame(). defaults to
+ * the folder that the java application was
+ * launched from, which means if this isn't set by
+ * the pde, everything goes into the same folder
+ * as processing.exe.
+ *
+ * --display=n set what display should be used by this applet.
+ * displays are numbered starting from 1.
+ *
+ * Parameters used by Processing when running via the PDE
+ *
+ * --external set when the applet is being used by the PDE
+ *
+ * --editor-location=x,y position of the upper-lefthand corner of the
+ * editor window, for placement of applet window
+ *
+ */
+ static public void main(String args[]) {
+ // Disable abyssmally slow Sun renderer on OS X 10.5.
+ if (platform == MACOSX) {
+ // Only run this on OS X otherwise it can cause a permissions error.
+ // http://dev.processing.org/bugs/show_bug.cgi?id=976
+ System.setProperty("apple.awt.graphics.UseQuartz", "true");
+ }
+
+ // This doesn't do anything.
+// if (platform == WINDOWS) {
+// // For now, disable the D3D renderer on Java 6u10 because
+// // it causes problems with Present mode.
+// // http://dev.processing.org/bugs/show_bug.cgi?id=1009
+// System.setProperty("sun.java2d.d3d", "false");
+// }
+
+ if (args.length < 1) {
+ System.err.println("Usage: PApplet
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ * =advanced
+ * Override the g.pixels[] function to set the pixels[] array
+ * that's part of the PApplet object. Allows the use of
+ * pixels[] in the code, rather than g.pixels[].
+ *
+ * @webref image:pixels
+ * @see processing.core.PApplet#pixels
+ * @see processing.core.PApplet#updatePixels()
+ */
+ public void loadPixels() {
+ g.loadPixels();
+ pixels = g.pixels;
+ }
+
+ /**
+ * Updates the display window with the data in the pixels[] array. Use in conjunction with loadPixels(). If you're only reading pixels from the array, there's no need to call updatePixels() unless there are changes.
+ *
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ *
Currently, none of the renderers use the additional parameters to updatePixels(), however this may be implemented in the future.
+ *
+ * @webref image:pixels
+ *
+ * @see processing.core.PApplet#loadPixels()
+ * @see processing.core.PApplet#updatePixels()
+ *
+ */
+ public void updatePixels() {
+ g.updatePixels();
+ }
+
+
+ public void updatePixels(int x1, int y1, int x2, int y2) {
+ g.updatePixels(x1, y1, x2, y2);
+ }
+
+
+ //////////////////////////////////////////////////////////////
+
+ // EVERYTHING BELOW THIS LINE IS AUTOMATICALLY GENERATED. NO TOUCH!
+ // This includes all of the comments, which are automatically pulled
+ // from their respective functions in PGraphics or PImage.
+
+ // public functions for processing.core
+
+
+ public void flush() {
+ if (recorder != null) recorder.flush();
+ g.flush();
+ }
+
+
+ /**
+ * Enable a hint option.
+ *
+ *
+ */
+ public void hint(int which) {
+ if (recorder != null) recorder.hint(which);
+ g.hint(which);
+ }
+
+
+ /**
+ * Start a new shape of type POLYGON
+ */
+ public void beginShape() {
+ if (recorder != null) recorder.beginShape();
+ g.beginShape();
+ }
+
+
+ /**
+ * Start a new shape.
+ *
+ * [toxi 031031] new sphere code. removed all multiplies with
+ * radius, as scale() will take care of that anyway
+ *
+ * [toxi 031223] updated sphere code (removed modulos)
+ * and introduced sphereAt(x,y,z,r)
+ * to avoid additional translate()'s on the user/sketch side
+ *
+ * [davbol 080801] now using separate sphereDetailU/V
+ *
+ */
+ public void sphere(float r) {
+ if (recorder != null) recorder.sphere(r);
+ g.sphere(r);
+ }
+
+
+ /**
+ * Evalutes quadratic bezier at point t for points a, b, c, d.
+ * t varies between 0 and 1, and a and d are the on curve points,
+ * b and c are the control points. this can be done once with the
+ * x coordinates and a second time with the y coordinates to get
+ * the location of a bezier curve at t.
+ *
+ * stroke(255, 102, 0);
+ * line(85, 20, 10, 10);
+ * line(90, 90, 15, 80);
+ * stroke(0, 0, 0);
+ * bezier(85, 20, 10, 10, 90, 90, 15, 80);
+ *
+ * // draw it in gray, using 10 steps instead of the default 20
+ * // this is a slower way to do it, but useful if you need
+ * // to do things with the coordinates at each step
+ * stroke(128);
+ * beginShape(LINE_STRIP);
+ * for (int i = 0; i <= 10; i++) {
+ * float t = i / 10.0f;
+ * float x = bezierPoint(85, 10, 90, 15, t);
+ * float y = bezierPoint(20, 10, 90, 80, t);
+ * vertex(x, y);
+ * }
+ * endShape();
+ */
+ public float bezierPoint(float a, float b, float c, float d, float t) {
+ return g.bezierPoint(a, b, c, d, t);
+ }
+
+
+ /**
+ * Provide the tangent at the given point on the bezier curve.
+ * Fix from davbol for 0136.
+ */
+ public float bezierTangent(float a, float b, float c, float d, float t) {
+ return g.bezierTangent(a, b, c, d, t);
+ }
+
+
+ public void bezierDetail(int detail) {
+ if (recorder != null) recorder.bezierDetail(detail);
+ g.bezierDetail(detail);
+ }
+
+
+ /**
+ * Draw a cubic bezier curve. The first and last points are
+ * the on-curve points. The middle two are the 'control' points,
+ * or 'handles' in an application like Illustrator.
+ * beginShape();
+ * vertex(x1, y1);
+ * bezierVertex(x2, y2, x3, y3, x4, y4);
+ * endShape();
+ *
+ * In Postscript-speak, this would be:
+ * moveto(x1, y1);
+ * curveto(x2, y2, x3, y3, x4, y4);
+ * If you were to try and continue that curve like so:
+ * curveto(x5, y5, x6, y6, x7, y7);
+ * This would be done in processing by adding these statements:
+ * bezierVertex(x5, y5, x6, y6, x7, y7)
+ *
+ * To draw a quadratic (instead of cubic) curve,
+ * use the control point twice by doubling it:
+ * bezier(x1, y1, cx, cy, cx, cy, x2, y2);
+ */
+ public void bezier(float x1, float y1,
+ float x2, float y2,
+ float x3, float y3,
+ float x4, float y4) {
+ if (recorder != null) recorder.bezier(x1, y1, x2, y2, x3, y3, x4, y4);
+ g.bezier(x1, y1, x2, y2, x3, y3, x4, y4);
+ }
+
+
+ public void bezier(float x1, float y1, float z1,
+ float x2, float y2, float z2,
+ float x3, float y3, float z3,
+ float x4, float y4, float z4) {
+ if (recorder != null) recorder.bezier(x1, y1, z1, x2, y2, z2, x3, y3, z3, x4, y4, z4);
+ g.bezier(x1, y1, z1, x2, y2, z2, x3, y3, z3, x4, y4, z4);
+ }
+
+
+ /**
+ * Get a location along a catmull-rom curve segment.
+ *
+ * @param t Value between zero and one for how far along the segment
+ */
+ public float curvePoint(float a, float b, float c, float d, float t) {
+ return g.curvePoint(a, b, c, d, t);
+ }
+
+
+ /**
+ * Calculate the tangent at a t value (0..1) on a Catmull-Rom curve.
+ * Code thanks to Dave Bollinger (Bug #715)
+ */
+ public float curveTangent(float a, float b, float c, float d, float t) {
+ return g.curveTangent(a, b, c, d, t);
+ }
+
+
+ public void curveDetail(int detail) {
+ if (recorder != null) recorder.curveDetail(detail);
+ g.curveDetail(detail);
+ }
+
+
+ public void curveTightness(float tightness) {
+ if (recorder != null) recorder.curveTightness(tightness);
+ g.curveTightness(tightness);
+ }
+
+
+ /**
+ * Draws a segment of Catmull-Rom curve.
+ *
+ * beginShape();
+ * curveVertex(x1, y1);
+ * curveVertex(x2, y2);
+ * curveVertex(x3, y3);
+ * curveVertex(x4, y4);
+ * endShape();
+ *
+ */
+ public void curve(float x1, float y1,
+ float x2, float y2,
+ float x3, float y3,
+ float x4, float y4) {
+ if (recorder != null) recorder.curve(x1, y1, x2, y2, x3, y3, x4, y4);
+ g.curve(x1, y1, x2, y2, x3, y3, x4, y4);
+ }
+
+
+ public void curve(float x1, float y1, float z1,
+ float x2, float y2, float z2,
+ float x3, float y3, float z3,
+ float x4, float y4, float z4) {
+ if (recorder != null) recorder.curve(x1, y1, z1, x2, y2, z2, x3, y3, z3, x4, y4, z4);
+ g.curve(x1, y1, z1, x2, y2, z2, x3, y3, z3, x4, y4, z4);
+ }
+
+
+ /**
+ * If true in PImage, use bilinear interpolation for copy()
+ * operations. When inherited by PGraphics, also controls shapes.
+ */
+ public void smooth() {
+ if (recorder != null) recorder.smooth();
+ g.smooth();
+ }
+
+
+ /**
+ * Disable smoothing. See smooth().
+ */
+ public void noSmooth() {
+ if (recorder != null) recorder.noSmooth();
+ g.noSmooth();
+ }
+
+
+ /**
+ * The mode can only be set to CORNERS, CORNER, and CENTER.
+ *
+ * Support for CENTER was added in release 0146.
+ */
+ public void imageMode(int mode) {
+ if (recorder != null) recorder.imageMode(mode);
+ g.imageMode(mode);
+ }
+
+
+ public void image(PImage image, float x, float y) {
+ if (recorder != null) recorder.image(image, x, y);
+ g.image(image, x, y);
+ }
+
+
+ public void image(PImage image, float x, float y, float c, float d) {
+ if (recorder != null) recorder.image(image, x, y, c, d);
+ g.image(image, x, y, c, d);
+ }
+
+
+ /**
+ * Draw an image(), also specifying u/v coordinates.
+ * In this method, the u, v coordinates are always based on image space
+ * location, regardless of the current textureMode().
+ */
+ public void image(PImage image,
+ float a, float b, float c, float d,
+ int u1, int v1, int u2, int v2) {
+ if (recorder != null) recorder.image(image, a, b, c, d, u1, v1, u2, v2);
+ g.image(image, a, b, c, d, u1, v1, u2, v2);
+ }
+
+
+ /**
+ * Set the orientation for the shape() command (like imageMode() or rectMode()).
+ * @param mode Either CORNER, CORNERS, or CENTER.
+ */
+ public void shapeMode(int mode) {
+ if (recorder != null) recorder.shapeMode(mode);
+ g.shapeMode(mode);
+ }
+
+
+ public void shape(PShape shape) {
+ if (recorder != null) recorder.shape(shape);
+ g.shape(shape);
+ }
+
+
+ /**
+ * Convenience method to draw at a particular location.
+ */
+ public void shape(PShape shape, float x, float y) {
+ if (recorder != null) recorder.shape(shape, x, y);
+ g.shape(shape, x, y);
+ }
+
+
+ public void shape(PShape shape, float x, float y, float c, float d) {
+ if (recorder != null) recorder.shape(shape, x, y, c, d);
+ g.shape(shape, x, y, c, d);
+ }
+
+
+ /**
+ * Sets the alignment of the text to one of LEFT, CENTER, or RIGHT.
+ * This will also reset the vertical text alignment to BASELINE.
+ */
+ public void textAlign(int align) {
+ if (recorder != null) recorder.textAlign(align);
+ g.textAlign(align);
+ }
+
+
+ /**
+ * Sets the horizontal and vertical alignment of the text. The horizontal
+ * alignment can be one of LEFT, CENTER, or RIGHT. The vertical alignment
+ * can be TOP, BOTTOM, CENTER, or the BASELINE (the default).
+ */
+ public void textAlign(int alignX, int alignY) {
+ if (recorder != null) recorder.textAlign(alignX, alignY);
+ g.textAlign(alignX, alignY);
+ }
+
+
+ /**
+ * Returns the ascent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
+ public float textAscent() {
+ return g.textAscent();
+ }
+
+
+ /**
+ * Returns the descent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
+ public float textDescent() {
+ return g.textDescent();
+ }
+
+
+ /**
+ * Sets the current font. The font's size will be the "natural"
+ * size of this font (the size that was set when using "Create Font").
+ * The leading will also be reset.
+ */
+ public void textFont(PFont which) {
+ if (recorder != null) recorder.textFont(which);
+ g.textFont(which);
+ }
+
+
+ /**
+ * Useful function to set the font and size at the same time.
+ */
+ public void textFont(PFont which, float size) {
+ if (recorder != null) recorder.textFont(which, size);
+ g.textFont(which, size);
+ }
+
+
+ /**
+ * Set the text leading to a specific value. If using a custom
+ * value for the text leading, you'll have to call textLeading()
+ * again after any calls to textSize().
+ */
+ public void textLeading(float leading) {
+ if (recorder != null) recorder.textLeading(leading);
+ g.textLeading(leading);
+ }
+
+
+ /**
+ * Sets the text rendering/placement to be either SCREEN (direct
+ * to the screen, exact coordinates, only use the font's original size)
+ * or MODEL (the default, where text is manipulated by translate() and
+ * can have a textSize). The text size cannot be set when using
+ * textMode(SCREEN), because it uses the pixels directly from the font.
+ */
+ public void textMode(int mode) {
+ if (recorder != null) recorder.textMode(mode);
+ g.textMode(mode);
+ }
+
+
+ /**
+ * Sets the text size, also resets the value for the leading.
+ */
+ public void textSize(float size) {
+ if (recorder != null) recorder.textSize(size);
+ g.textSize(size);
+ }
+
+
+ public float textWidth(char c) {
+ return g.textWidth(c);
+ }
+
+
+ /**
+ * Return the width of a line of text. If the text has multiple
+ * lines, this returns the length of the longest line.
+ */
+ public float textWidth(String str) {
+ return g.textWidth(str);
+ }
+
+
+ /**
+ * TODO not sure if this stays...
+ */
+ public float textWidth(char[] chars, int start, int length) {
+ return g.textWidth(chars, start, length);
+ }
+
+
+ /**
+ * Write text where we just left off.
+ */
+ public void text(char c) {
+ if (recorder != null) recorder.text(c);
+ g.text(c);
+ }
+
+
+ /**
+ * Draw a single character on screen.
+ * Extremely slow when used with textMode(SCREEN) and Java 2D,
+ * because loadPixels has to be called first and updatePixels last.
+ */
+ public void text(char c, float x, float y) {
+ if (recorder != null) recorder.text(c, x, y);
+ g.text(c, x, y);
+ }
+
+
+ /**
+ * Draw a single character on screen (with a z coordinate)
+ */
+ public void text(char c, float x, float y, float z) {
+ if (recorder != null) recorder.text(c, x, y, z);
+ g.text(c, x, y, z);
+ }
+
+
+ /**
+ * Write text where we just left off.
+ */
+ public void text(String str) {
+ if (recorder != null) recorder.text(str);
+ g.text(str);
+ }
+
+
+ /**
+ * Draw a chunk of text.
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, but \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
+ public void text(String str, float x, float y) {
+ if (recorder != null) recorder.text(str, x, y);
+ g.text(str, x, y);
+ }
+
+
+ /**
+ * Method to draw text from an array of chars. This method will usually be
+ * more efficient than drawing from a String object, because the String will
+ * not be converted to a char array before drawing.
+ */
+ public void text(char[] chars, int start, int stop, float x, float y) {
+ if (recorder != null) recorder.text(chars, start, stop, x, y);
+ g.text(chars, start, stop, x, y);
+ }
+
+
+ /**
+ * Same as above but with a z coordinate.
+ */
+ public void text(String str, float x, float y, float z) {
+ if (recorder != null) recorder.text(str, x, y, z);
+ g.text(str, x, y, z);
+ }
+
+
+ public void text(char[] chars, int start, int stop,
+ float x, float y, float z) {
+ if (recorder != null) recorder.text(chars, start, stop, x, y, z);
+ g.text(chars, start, stop, x, y, z);
+ }
+
+
+ /**
+ * Draw text in a box that is constrained to a particular size.
+ * The current rectMode() determines what the coordinates mean
+ * (whether x1/y1/x2/y2 or x/y/w/h).
+ *
+ * Note that the x,y coords of the start of the box
+ * will align with the *ascent* of the text, not the baseline,
+ * as is the case for the other text() functions.
+ *
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, and \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
+ public void text(String str, float x1, float y1, float x2, float y2) {
+ if (recorder != null) recorder.text(str, x1, y1, x2, y2);
+ g.text(str, x1, y1, x2, y2);
+ }
+
+
+ public void text(String s, float x1, float y1, float x2, float y2, float z) {
+ if (recorder != null) recorder.text(s, x1, y1, x2, y2, z);
+ g.text(s, x1, y1, x2, y2, z);
+ }
+
+
+ public void text(int num, float x, float y) {
+ if (recorder != null) recorder.text(num, x, y);
+ g.text(num, x, y);
+ }
+
+
+ public void text(int num, float x, float y, float z) {
+ if (recorder != null) recorder.text(num, x, y, z);
+ g.text(num, x, y, z);
+ }
+
+
+ /**
+ * This does a basic number formatting, to avoid the
+ * generally ugly appearance of printing floats.
+ * Users who want more control should use their own nf() cmmand,
+ * or if they want the long, ugly version of float,
+ * use String.valueOf() to convert the float to a String first.
+ */
+ public void text(float num, float x, float y) {
+ if (recorder != null) recorder.text(num, x, y);
+ g.text(num, x, y);
+ }
+
+
+ public void text(float num, float x, float y, float z) {
+ if (recorder != null) recorder.text(num, x, y, z);
+ g.text(num, x, y, z);
+ }
+
+
+ /**
+ * Push a copy of the current transformation matrix onto the stack.
+ */
+ public void pushMatrix() {
+ if (recorder != null) recorder.pushMatrix();
+ g.pushMatrix();
+ }
+
+
+ /**
+ * Replace the current transformation matrix with the top of the stack.
+ */
+ public void popMatrix() {
+ if (recorder != null) recorder.popMatrix();
+ g.popMatrix();
+ }
+
+
+ /**
+ * Translate in X and Y.
+ */
+ public void translate(float tx, float ty) {
+ if (recorder != null) recorder.translate(tx, ty);
+ g.translate(tx, ty);
+ }
+
+
+ /**
+ * Translate in X, Y, and Z.
+ */
+ public void translate(float tx, float ty, float tz) {
+ if (recorder != null) recorder.translate(tx, ty, tz);
+ g.translate(tx, ty, tz);
+ }
+
+
+ /**
+ * Two dimensional rotation.
+ *
+ * Same as rotateZ (this is identical to a 3D rotation along the z-axis)
+ * but included for clarity. It'd be weird for people drawing 2D graphics
+ * to be using rotateZ. And they might kick our a-- for the confusion.
+ *
+ * Additional background.
+ */
+ public void rotate(float angle) {
+ if (recorder != null) recorder.rotate(angle);
+ g.rotate(angle);
+ }
+
+
+ /**
+ * Rotate around the X axis.
+ */
+ public void rotateX(float angle) {
+ if (recorder != null) recorder.rotateX(angle);
+ g.rotateX(angle);
+ }
+
+
+ /**
+ * Rotate around the Y axis.
+ */
+ public void rotateY(float angle) {
+ if (recorder != null) recorder.rotateY(angle);
+ g.rotateY(angle);
+ }
+
+
+ /**
+ * Rotate around the Z axis.
+ *
+ * The functions rotate() and rotateZ() are identical, it's just that it make
+ * sense to have rotate() and then rotateX() and rotateY() when using 3D;
+ * nor does it make sense to use a function called rotateZ() if you're only
+ * doing things in 2D. so we just decided to have them both be the same.
+ */
+ public void rotateZ(float angle) {
+ if (recorder != null) recorder.rotateZ(angle);
+ g.rotateZ(angle);
+ }
+
+
+ /**
+ * Rotate about a vector in space. Same as the glRotatef() function.
+ */
+ public void rotate(float angle, float vx, float vy, float vz) {
+ if (recorder != null) recorder.rotate(angle, vx, vy, vz);
+ g.rotate(angle, vx, vy, vz);
+ }
+
+
+ /**
+ * Scale in all dimensions.
+ */
+ public void scale(float s) {
+ if (recorder != null) recorder.scale(s);
+ g.scale(s);
+ }
+
+
+ /**
+ * Scale in X and Y. Equivalent to scale(sx, sy, 1).
+ *
+ * Not recommended for use in 3D, because the z-dimension is just
+ * scaled by 1, since there's no way to know what else to scale it by.
+ */
+ public void scale(float sx, float sy) {
+ if (recorder != null) recorder.scale(sx, sy);
+ g.scale(sx, sy);
+ }
+
+
+ /**
+ * Scale in X, Y, and Z.
+ */
+ public void scale(float x, float y, float z) {
+ if (recorder != null) recorder.scale(x, y, z);
+ g.scale(x, y, z);
+ }
+
+
+ /**
+ * Set the current transformation matrix to identity.
+ */
+ public void resetMatrix() {
+ if (recorder != null) recorder.resetMatrix();
+ g.resetMatrix();
+ }
+
+
+ public void applyMatrix(PMatrix source) {
+ if (recorder != null) recorder.applyMatrix(source);
+ g.applyMatrix(source);
+ }
+
+
+ public void applyMatrix(PMatrix2D source) {
+ if (recorder != null) recorder.applyMatrix(source);
+ g.applyMatrix(source);
+ }
+
+
+ /**
+ * Apply a 3x2 affine transformation matrix.
+ */
+ public void applyMatrix(float n00, float n01, float n02,
+ float n10, float n11, float n12) {
+ if (recorder != null) recorder.applyMatrix(n00, n01, n02, n10, n11, n12);
+ g.applyMatrix(n00, n01, n02, n10, n11, n12);
+ }
+
+
+ public void applyMatrix(PMatrix3D source) {
+ if (recorder != null) recorder.applyMatrix(source);
+ g.applyMatrix(source);
+ }
+
+
+ /**
+ * Apply a 4x4 transformation matrix.
+ */
+ public void applyMatrix(float n00, float n01, float n02, float n03,
+ float n10, float n11, float n12, float n13,
+ float n20, float n21, float n22, float n23,
+ float n30, float n31, float n32, float n33) {
+ if (recorder != null) recorder.applyMatrix(n00, n01, n02, n03, n10, n11, n12, n13, n20, n21, n22, n23, n30, n31, n32, n33);
+ g.applyMatrix(n00, n01, n02, n03, n10, n11, n12, n13, n20, n21, n22, n23, n30, n31, n32, n33);
+ }
+
+
+ public PMatrix getMatrix() {
+ return g.getMatrix();
+ }
+
+
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
+ public PMatrix2D getMatrix(PMatrix2D target) {
+ return g.getMatrix(target);
+ }
+
+
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
+ public PMatrix3D getMatrix(PMatrix3D target) {
+ return g.getMatrix(target);
+ }
+
+
+ /**
+ * Set the current transformation matrix to the contents of another.
+ */
+ public void setMatrix(PMatrix source) {
+ if (recorder != null) recorder.setMatrix(source);
+ g.setMatrix(source);
+ }
+
+
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
+ public void setMatrix(PMatrix2D source) {
+ if (recorder != null) recorder.setMatrix(source);
+ g.setMatrix(source);
+ }
+
+
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
+ public void setMatrix(PMatrix3D source) {
+ if (recorder != null) recorder.setMatrix(source);
+ g.setMatrix(source);
+ }
+
+
+ /**
+ * Print the current model (or "transformation") matrix.
+ */
+ public void printMatrix() {
+ if (recorder != null) recorder.printMatrix();
+ g.printMatrix();
+ }
+
+
+ public void beginCamera() {
+ if (recorder != null) recorder.beginCamera();
+ g.beginCamera();
+ }
+
+
+ public void endCamera() {
+ if (recorder != null) recorder.endCamera();
+ g.endCamera();
+ }
+
+
+ public void camera() {
+ if (recorder != null) recorder.camera();
+ g.camera();
+ }
+
+
+ public void camera(float eyeX, float eyeY, float eyeZ,
+ float centerX, float centerY, float centerZ,
+ float upX, float upY, float upZ) {
+ if (recorder != null) recorder.camera(eyeX, eyeY, eyeZ, centerX, centerY, centerZ, upX, upY, upZ);
+ g.camera(eyeX, eyeY, eyeZ, centerX, centerY, centerZ, upX, upY, upZ);
+ }
+
+
+ public void printCamera() {
+ if (recorder != null) recorder.printCamera();
+ g.printCamera();
+ }
+
+
+ public void ortho() {
+ if (recorder != null) recorder.ortho();
+ g.ortho();
+ }
+
+
+ public void ortho(float left, float right,
+ float bottom, float top,
+ float near, float far) {
+ if (recorder != null) recorder.ortho(left, right, bottom, top, near, far);
+ g.ortho(left, right, bottom, top, near, far);
+ }
+
+
+ public void perspective() {
+ if (recorder != null) recorder.perspective();
+ g.perspective();
+ }
+
+
+ public void perspective(float fovy, float aspect, float zNear, float zFar) {
+ if (recorder != null) recorder.perspective(fovy, aspect, zNear, zFar);
+ g.perspective(fovy, aspect, zNear, zFar);
+ }
+
+
+ public void frustum(float left, float right,
+ float bottom, float top,
+ float near, float far) {
+ if (recorder != null) recorder.frustum(left, right, bottom, top, near, far);
+ g.frustum(left, right, bottom, top, near, far);
+ }
+
+
+ public void printProjection() {
+ if (recorder != null) recorder.printProjection();
+ g.printProjection();
+ }
+
+
+ /**
+ * Given an x and y coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenX(float x, float y) {
+ return g.screenX(x, y);
+ }
+
+
+ /**
+ * Given an x and y coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenY(float x, float y) {
+ return g.screenY(x, y);
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ * colorMode(HSB, 360, 100, 100);
+ * because the alpha values were still between 0 and 255.
+ */
+ public void colorMode(int mode, float maxX, float maxY, float maxZ) {
+ if (recorder != null) recorder.colorMode(mode, maxX, maxY, maxZ);
+ g.colorMode(mode, maxX, maxY, maxZ);
+ }
+
+
+ public void colorMode(int mode,
+ float maxX, float maxY, float maxZ, float maxA) {
+ if (recorder != null) recorder.colorMode(mode, maxX, maxY, maxZ, maxA);
+ g.colorMode(mode, maxX, maxY, maxZ, maxA);
+ }
+
+
+ public final float alpha(int what) {
+ return g.alpha(what);
+ }
+
+
+ public final float red(int what) {
+ return g.red(what);
+ }
+
+
+ public final float green(int what) {
+ return g.green(what);
+ }
+
+
+ public final float blue(int what) {
+ return g.blue(what);
+ }
+
+
+ public final float hue(int what) {
+ return g.hue(what);
+ }
+
+
+ public final float saturation(int what) {
+ return g.saturation(what);
+ }
+
+
+ public final float brightness(int what) {
+ return g.brightness(what);
+ }
+
+
+ /**
+ * Interpolate between two colors, using the current color mode.
+ */
+ public int lerpColor(int c1, int c2, float amt) {
+ return g.lerpColor(c1, c2, amt);
+ }
+
+
+ /**
+ * Interpolate between two colors. Like lerp(), but for the
+ * individual color components of a color supplied as an int value.
+ */
+ static public int lerpColor(int c1, int c2, float amt, int mode) {
+ return PGraphics.lerpColor(c1, c2, amt, mode);
+ }
+
+
+ /**
+ * Return true if this renderer should be drawn to the screen. Defaults to
+ * returning true, since nearly all renderers are on-screen beasts. But can
+ * be overridden for subclasses like PDF so that a window doesn't open up.
+ *
+ * A better name? showFrame, displayable, isVisible, visible, shouldDisplay,
+ * what to call this?
+ */
+ public boolean displayable() {
+ return g.displayable();
+ }
+
+
+ /**
+ * Store data of some kind for a renderer that requires extra metadata of
+ * some kind. Usually this is a renderer-specific representation of the
+ * image data, for instance a BufferedImage with tint() settings applied for
+ * PGraphicsJava2D, or resized image data and OpenGL texture indices for
+ * PGraphicsOpenGL.
+ */
+ public void setCache(Object parent, Object storage) {
+ if (recorder != null) recorder.setCache(parent, storage);
+ g.setCache(parent, storage);
+ }
+
+
+ /**
+ * Get cache storage data for the specified renderer. Because each renderer
+ * will cache data in different formats, it's necessary to store cache data
+ * keyed by the renderer object. Otherwise, attempting to draw the same
+ * image to both a PGraphicsJava2D and a PGraphicsOpenGL will cause errors.
+ * @param parent The PGraphics object (or any object, really) associated
+ * @return data stored for the specified parent
+ */
+ public Object getCache(Object parent) {
+ return g.getCache(parent);
+ }
+
+
+ /**
+ * Remove information associated with this renderer from the cache, if any.
+ * @param parent The PGraphics object whose cache data should be removed
+ */
+ public void removeCache(Object parent) {
+ if (recorder != null) recorder.removeCache(parent);
+ g.removeCache(parent);
+ }
+
+
+ /**
+ * Returns an ARGB "color" type (a packed 32 bit int with the color.
+ * If the coordinate is outside the image, zero is returned
+ * (black, but completely transparent).
+ *
Getting the color of a single pixel with get(x, y) is easy, but not as fast as grabbing the data directly from pixels[]. The equivalent statement to "get(x, y)" using pixels[] is "pixels[y*width+x]". Processing requires calling loadPixels() to load the display window data into the pixels[] array before getting the values.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Reads the color of any pixel or grabs a rectangle of pixels
+ * @param x x-coordinate of the pixel
+ * @param y y-coordinate of the pixel
+ * @param w width of pixel rectangle to get
+ * @param h height of pixel rectangle to get
+ *
+ * @see processing.core.PImage#set(int, int, int)
+ * @see processing.core.PImage#pixels
+ * @see processing.core.PImage#copy(PImage, int, int, int, int, int, int, int, int)
+ */
+ public PImage get(int x, int y, int w, int h) {
+ return g.get(x, y, w, h);
+ }
+
+
+ /**
+ * Returns a copy of this PImage. Equivalent to get(0, 0, width, height).
+ */
+ public PImage get() {
+ return g.get();
+ }
+
+
+ /**
+ * Changes the color of any pixel or writes an image directly into the image. The x and y parameter specify the pixel or the upper-left corner of the image. The color parameter specifies the color value.
Setting the color of a single pixel with set(x, y) is easy, but not as fast as putting the data directly into pixels[]. The equivalent statement to "set(x, y, #000000)" using pixels[] is "pixels[y*width+x] = #000000". Processing requires calling loadPixels() to load the display window data into the pixels[] array before getting the values and calling updatePixels() to update the window.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Writes a color to any pixel or writes an image into another
+ * @param x x-coordinate of the pixel or upper-left corner of the image
+ * @param y y-coordinate of the pixel or upper-left corner of the image
+ * @param c any value of the color datatype
+ *
+ * @see processing.core.PImage#get(int, int, int, int)
+ * @see processing.core.PImage#pixels
+ * @see processing.core.PImage#copy(PImage, int, int, int, int, int, int, int, int)
+ */
+ public void set(int x, int y, int c) {
+ if (recorder != null) recorder.set(x, y, c);
+ g.set(x, y, c);
+ }
+
+
+ /**
+ * Efficient method of drawing an image's pixels directly to this surface.
+ * No variations are employed, meaning that any scale, tint, or imageMode
+ * settings will be ignored.
+ */
+ public void set(int x, int y, PImage src) {
+ if (recorder != null) recorder.set(x, y, src);
+ g.set(x, y, src);
+ }
+
+
+ /**
+ * Set alpha channel for an image. Black colors in the source
+ * image will make the destination image completely transparent,
+ * and white will make things fully opaque. Gray values will
+ * be in-between steps.
+ *
THRESHOLD - converts the image to black and white pixels depending if they are above or below the threshold defined by the level parameter. The level must be between 0.0 (black) and 1.0(white). If no level is specified, 0.5 is used.
GRAY - converts any colors in the image to grayscale equivalents
INVERT - sets each pixel to its inverse value
POSTERIZE - limits each channel of the image to the number of colors specified as the level parameter
BLUR - executes a Guassian blur with the level parameter specifying the extent of the blurring. If no level parameter is used, the blur is equivalent to Guassian blur of radius 1.
OPAQUE - sets the alpha channel to entirely opaque.
ERODE - reduces the light areas with the amount defined by the level parameter.
DILATE - increases the light areas with the amount defined by the level parameter
+ * =advanced
+ * Method to apply a variety of basic filters to this image.
+ *
+ *
+ * Luminance conversion code contributed by
+ * toxi
+ *
+ * Gaussian blur code contributed by
+ * Mario Klingemann
+ *
+ * @webref
+ * @brief Converts the image to grayscale or black and white
+ * @param kind Either THRESHOLD, GRAY, INVERT, POSTERIZE, BLUR, OPAQUE, ERODE, or DILATE
+ * @param param in the range from 0 to 1
+ */
+ public void filter(int kind, float param) {
+ if (recorder != null) recorder.filter(kind, param);
+ g.filter(kind, param);
+ }
+
+
+ /**
+ * Copy things from one area of this image
+ * to another area in the same image.
+ */
+ public void copy(int sx, int sy, int sw, int sh,
+ int dx, int dy, int dw, int dh) {
+ if (recorder != null) recorder.copy(sx, sy, sw, sh, dx, dy, dw, dh);
+ g.copy(sx, sy, sw, sh, dx, dy, dw, dh);
+ }
+
+
+ /**
+ * Copies a region of pixels from one image into another. If the source and destination regions aren't the same size, it will automatically resize source pixels to fit the specified target region. No alpha information is used in the process, however if the source image has an alpha channel set, it will be copied as well.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies the entire image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destination's upper left corner
+ * @param dy Y coordinate of the destination's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param src an image variable referring to the source image.
+ *
+ * @see processing.core.PApplet#alpha(int)
+ * @see processing.core.PApplet#blend(PImage, int, int, int, int, int, int, int, int, int)
+ */
+ public void copy(PImage src,
+ int sx, int sy, int sw, int sh,
+ int dx, int dy, int dw, int dh) {
+ if (recorder != null) recorder.copy(src, sx, sy, sw, sh, dx, dy, dw, dh);
+ g.copy(src, sx, sy, sw, sh, dx, dy, dw, dh);
+ }
+
+
+ /**
+ * Blend two colors based on a particular mode.
+ *
+ *
+ *
+ * BLEND - linear interpolation of colours: C = A*factor + B
+ * ADD - additive blending with white clip: C = min(A*factor + B, 255)
+ * SUBTRACT - subtractive blending with black clip: C = max(B - A*factor, 0)
+ * DARKEST - only the darkest colour succeeds: C = min(A*factor, B)
+ * LIGHTEST - only the lightest colour succeeds: C = max(A*factor, B)
+ * DIFFERENCE - subtract colors from underlying image.
+ * EXCLUSION - similar to DIFFERENCE, but less extreme.
+ * MULTIPLY - Multiply the colors, result will always be darker.
+ * SCREEN - Opposite multiply, uses inverse values of the colors.
+ * OVERLAY - A mix of MULTIPLY and SCREEN. Multiplies dark values, and screens light values.
+ * HARD_LIGHT - SCREEN when greater than 50% gray, MULTIPLY when lower.
+ * SOFT_LIGHT - Mix of DARKEST and LIGHTEST. Works like OVERLAY, but not as harsh.
+ * DODGE - Lightens light tones and increases contrast, ignores darks. Called "Color Dodge" in Illustrator and Photoshop.
+ * BURN - Darker areas are applied, increasing contrast, ignores lights. Called "Color Burn" in Illustrator and Photoshop.
+ * All modes use the alpha information (highest byte) of source image pixels as the blending factor. If the source and destination regions are different sizes, the image will be automatically resized to match the destination size. If the srcImg parameter is not used, the display window is used as the source image.
+ * As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies a pixel or rectangle of pixels using different blending modes
+ * @param src an image variable referring to the source image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destinations's upper left corner
+ * @param dy Y coordinate of the destinations's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param mode Either BLEND, ADD, SUBTRACT, LIGHTEST, DARKEST, DIFFERENCE, EXCLUSION, MULTIPLY, SCREEN, OVERLAY, HARD_LIGHT, SOFT_LIGHT, DODGE, BURN
+ *
+ * @see processing.core.PApplet#alpha(int)
+ * @see processing.core.PApplet#copy(PImage, int, int, int, int, int, int, int, int)
+ * @see processing.core.PImage#blendColor(int,int,int)
+ */
+ public void blend(PImage src,
+ int sx, int sy, int sw, int sh,
+ int dx, int dy, int dw, int dh, int mode) {
+ if (recorder != null) recorder.blend(src, sx, sy, sw, sh, dx, dy, dw, dh, mode);
+ g.blend(src, sx, sy, sw, sh, dx, dy, dw, dh, mode);
+ }
+}
diff --git a/core/methods/demo/PGraphics.java b/core/methods/demo/PGraphics.java
new file mode 100644
index 000000000..95834f24b
--- /dev/null
+++ b/core/methods/demo/PGraphics.java
@@ -0,0 +1,5075 @@
+/* -*- mode: java; c-basic-offset: 2; indent-tabs-mode: nil -*- */
+
+/*
+ Part of the Processing project - http://processing.org
+
+ Copyright (c) 2004-09 Ben Fry and Casey Reas
+ Copyright (c) 2001-04 Massachusetts Institute of Technology
+
+ This library is free software; you can redistribute it and/or
+ modify it under the terms of the GNU Lesser General Public
+ License as published by the Free Software Foundation; either
+ version 2.1 of the License, or (at your option) any later version.
+
+ This library is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
+ Lesser General Public License for more details.
+
+ You should have received a copy of the GNU Lesser General
+ Public License along with this library; if not, write to the
+ Free Software Foundation, Inc., 59 Temple Place, Suite 330,
+ Boston, MA 02111-1307 USA
+*/
+
+package processing.core;
+
+import java.awt.*;
+import java.util.HashMap;
+
+
+/**
+ * Main graphics and rendering context, as well as the base API implementation for processing "core".
+ * Use this class if you need to draw into an off-screen graphics buffer.
+ * A PGraphics object can be constructed with the createGraphics() function.
+ * The beginDraw() and endDraw() methods (see above example) are necessary to set up the buffer and to finalize it.
+ * The fields and methods for this class are extensive;
+ * for a complete list visit the developer's reference: http://dev.processing.org/reference/core/
+ * =advanced
+ * Main graphics and rendering context, as well as the base API implementation.
+ *
+ * Subclassing and initializing PGraphics objects
+ * Starting in release 0149, subclasses of PGraphics are handled differently.
+ * The constructor for subclasses takes no parameters, instead a series of
+ * functions are called by the hosting PApplet to specify its attributes.
+ *
+ *
+ * The functions were broken out because of the growing number of parameters
+ * such as these that might be used by a renderer, yet with the exception of
+ * setSize(), it's not clear which will be necessary. So while the size could
+ * be passed in to the constructor instead of a setSize() function, a function
+ * would still be needed that would notify the renderer that it was time to
+ * finish its initialization. Thus, setSize() simply does both.
+ *
+ * Know your rights: public vs. private methods
+ * Methods that are protected are often subclassed by other renderers, however
+ * they are not set 'public' because they shouldn't be part of the user-facing
+ * public API accessible from PApplet. That is, we don't want sketches calling
+ * textModeCheck() or vertexTexture() directly.
+ *
+ * Handling warnings and exceptions
+ * Methods that are unavailable generally show a warning, unless their lack of
+ * availability will soon cause another exception. For instance, if a method
+ * like getMatrix() returns null because it is unavailable, an exception will
+ * be thrown stating that the method is unavailable, rather than waiting for
+ * the NullPointerException that will occur when the sketch tries to use that
+ * method. As of release 0149, warnings will only be shown once, and exceptions
+ * have been changed to warnings where possible.
+ *
+ * Using xxxxImpl() for subclassing smoothness
+ * The xxxImpl() methods are generally renderer-specific handling for some
+ * subset if tasks for a particular function (vague enough for you?) For
+ * instance, imageImpl() handles drawing an image whose x/y/w/h and u/v coords
+ * have been specified, and screen placement (independent of imageMode) has
+ * been determined. There's no point in all renderers implementing the
+ * if (imageMode == BLAH) placement/sizing logic, so that's handled
+ * by PGraphics, which then calls imageImpl() once all that is figured out.
+ *
+ * His brother PImage
+ * PGraphics subclasses PImage so that it can be drawn and manipulated in a
+ * similar fashion. As such, many methods are inherited from PGraphics,
+ * though many are unavailable: for instance, resize() is not likely to be
+ * implemented; the same goes for mask(), depending on the situation.
+ *
+ * What's in PGraphics, what ain't
+ * For the benefit of subclasses, as much as possible has been placed inside
+ * PGraphics. For instance, bezier interpolation code and implementations of
+ * the strokeCap() method (that simply sets the strokeCap variable) are
+ * handled here. Features that will vary widely between renderers are located
+ * inside the subclasses themselves. For instance, all matrix handling code
+ * is per-renderer: Java 2D uses its own AffineTransform, P2D uses a PMatrix2D,
+ * and PGraphics3D needs to keep continually update forward and reverse
+ * transformations. A proper (future) OpenGL implementation will have all its
+ * matrix madness handled by the card. Lighting also falls under this
+ * category, however the base material property settings (emissive, specular,
+ * et al.) are handled in PGraphics because they use the standard colorMode()
+ * logic. Subclasses should override methods like emissiveFromCalc(), which
+ * is a point where a valid color has been defined internally, and can be
+ * applied in some manner based on the calcXxxx values.
+ *
+ * What's in the PGraphics documentation, what ain't
+ * Some things are noted here, some things are not. For public API, always
+ * refer to the reference
+ * on Processing.org for proper explanations. No attempt has been made to
+ * keep the javadoc up to date or complete. It's an enormous task for
+ * which we simply do not have the time. That is, it's not something that
+ * to be done once—it's a matter of keeping the multiple references
+ * synchronized (to say nothing of the translation issues), while targeting
+ * them for their separate audiences. Ouch.
+ *
+ * We're working right now on synchronizing the two references, so the website reference
+ * is generated from the javadoc comments. Yay.
+ *
+ * @webref rendering
+ * @instanceName graphics any object of the type PGraphics
+ * @usage Web & Application
+ * @see processing.core.PApplet#createGraphics(int, int, String)
+ */
+public class PGraphics extends PImage implements PConstants {
+
+ // ........................................................
+
+ // width and height are already inherited from PImage
+
+
+ /// width minus one (useful for many calculations)
+ protected int width1;
+
+ /// height minus one (useful for many calculations)
+ protected int height1;
+
+ /// width * height (useful for many calculations)
+ public int pixelCount;
+
+ /// true if smoothing is enabled (read-only)
+ public boolean smooth = false;
+
+ // ........................................................
+
+ /// true if defaults() has been called a first time
+ protected boolean settingsInited;
+
+ /// set to a PGraphics object being used inside a beginRaw/endRaw() block
+ protected PGraphics raw;
+
+ // ........................................................
+
+ /** path to the file being saved for this renderer (if any) */
+ protected String path;
+
+ /**
+ * true if this is the main drawing surface for a particular sketch.
+ * This would be set to false for an offscreen buffer or if it were
+ * created any other way than size(). When this is set, the listeners
+ * are also added to the sketch.
+ */
+ protected boolean primarySurface;
+
+ // ........................................................
+
+ /**
+ * Array of hint[] items. These are hacks to get around various
+ * temporary workarounds inside the environment.
+ *
+ * Note that this array cannot be static, as a hint() may result in a
+ * runtime change specific to a renderer. For instance, calling
+ * hint(DISABLE_DEPTH_TEST) has to call glDisable() right away on an
+ * instance of PGraphicsOpenGL.
+ *
+ * The hints[] array is allocated early on because it might
+ * be used inside beginDraw(), allocate(), etc.
+ */
+ protected boolean[] hints = new boolean[HINT_COUNT];
+
+
+ ////////////////////////////////////////////////////////////
+
+ // STYLE PROPERTIES
+
+ // Also inherits imageMode() and smooth() (among others) from PImage.
+
+ /** The current colorMode */
+ public int colorMode; // = RGB;
+
+ /** Max value for red (or hue) set by colorMode */
+ public float colorModeX; // = 255;
+
+ /** Max value for green (or saturation) set by colorMode */
+ public float colorModeY; // = 255;
+
+ /** Max value for blue (or value) set by colorMode */
+ public float colorModeZ; // = 255;
+
+ /** Max value for alpha set by colorMode */
+ public float colorModeA; // = 255;
+
+ /** True if colors are not in the range 0..1 */
+ boolean colorModeScale; // = true;
+
+ /** True if colorMode(RGB, 255) */
+ boolean colorModeDefault; // = true;
+
+ // ........................................................
+
+ // Tint color for images
+
+ /**
+ * True if tint() is enabled (read-only).
+ *
+ * Using tint/tintColor seems a better option for naming than
+ * tintEnabled/tint because the latter seems ugly, even though
+ * g.tint as the actual color seems a little more intuitive,
+ * it's just that g.tintEnabled is even more unintuitive.
+ * Same goes for fill and stroke, et al.
+ */
+ public boolean tint;
+
+ /** tint that was last set (read-only) */
+ public int tintColor;
+
+ protected boolean tintAlpha;
+ protected float tintR, tintG, tintB, tintA;
+ protected int tintRi, tintGi, tintBi, tintAi;
+
+ // ........................................................
+
+ // Fill color
+
+ /** true if fill() is enabled, (read-only) */
+ public boolean fill;
+
+ /** fill that was last set (read-only) */
+ public int fillColor = 0xffFFFFFF;
+
+ protected boolean fillAlpha;
+ protected float fillR, fillG, fillB, fillA;
+ protected int fillRi, fillGi, fillBi, fillAi;
+
+ // ........................................................
+
+ // Stroke color
+
+ /** true if stroke() is enabled, (read-only) */
+ public boolean stroke;
+
+ /** stroke that was last set (read-only) */
+ public int strokeColor = 0xff000000;
+
+ protected boolean strokeAlpha;
+ protected float strokeR, strokeG, strokeB, strokeA;
+ protected int strokeRi, strokeGi, strokeBi, strokeAi;
+
+ // ........................................................
+
+ // Additional stroke properties
+
+ static protected final float DEFAULT_STROKE_WEIGHT = 1;
+ static protected final int DEFAULT_STROKE_JOIN = MITER;
+ static protected final int DEFAULT_STROKE_CAP = ROUND;
+
+ /**
+ * Last value set by strokeWeight() (read-only). This has a default
+ * setting, rather than fighting with renderers about whether that
+ * renderer supports thick lines.
+ */
+ public float strokeWeight = DEFAULT_STROKE_WEIGHT;
+
+ /**
+ * Set by strokeJoin() (read-only). This has a default setting
+ * so that strokeJoin() need not be called by defaults,
+ * because subclasses may not implement it (i.e. PGraphicsGL)
+ */
+ public int strokeJoin = DEFAULT_STROKE_JOIN;
+
+ /**
+ * Set by strokeCap() (read-only). This has a default setting
+ * so that strokeCap() need not be called by defaults,
+ * because subclasses may not implement it (i.e. PGraphicsGL)
+ */
+ public int strokeCap = DEFAULT_STROKE_CAP;
+
+ // ........................................................
+
+ // Shape placement properties
+
+ // imageMode() is inherited from PImage
+
+ /** The current rect mode (read-only) */
+ public int rectMode;
+
+ /** The current ellipse mode (read-only) */
+ public int ellipseMode;
+
+ /** The current shape alignment mode (read-only) */
+ public int shapeMode;
+
+ /** The current image alignment (read-only) */
+ public int imageMode = CORNER;
+
+ // ........................................................
+
+ // Text and font properties
+
+ /** The current text font (read-only) */
+ public PFont textFont;
+
+ /** The current text align (read-only) */
+ public int textAlign = LEFT;
+
+ /** The current vertical text alignment (read-only) */
+ public int textAlignY = BASELINE;
+
+ /** The current text mode (read-only) */
+ public int textMode = MODEL;
+
+ /** The current text size (read-only) */
+ public float textSize;
+
+ /** The current text leading (read-only) */
+ public float textLeading;
+
+ // ........................................................
+
+ // Material properties
+
+// PMaterial material;
+// PMaterial[] materialStack;
+// int materialStackPointer;
+
+ public float ambientR, ambientG, ambientB;
+ public float specularR, specularG, specularB;
+ public float emissiveR, emissiveG, emissiveB;
+ public float shininess;
+
+
+ // Style stack
+
+ static final int STYLE_STACK_DEPTH = 64;
+ PStyle[] styleStack = new PStyle[STYLE_STACK_DEPTH];
+ int styleStackDepth;
+
+
+ ////////////////////////////////////////////////////////////
+
+
+ /** Last background color that was set, zero if an image */
+ public int backgroundColor = 0xffCCCCCC;
+
+ protected boolean backgroundAlpha;
+ protected float backgroundR, backgroundG, backgroundB, backgroundA;
+ protected int backgroundRi, backgroundGi, backgroundBi, backgroundAi;
+
+ // ........................................................
+
+ /**
+ * Current model-view matrix transformation of the form m[row][column],
+ * which is a "column vector" (as opposed to "row vector") matrix.
+ */
+// PMatrix matrix;
+// public float m00, m01, m02, m03;
+// public float m10, m11, m12, m13;
+// public float m20, m21, m22, m23;
+// public float m30, m31, m32, m33;
+
+// static final int MATRIX_STACK_DEPTH = 32;
+// float[][] matrixStack = new float[MATRIX_STACK_DEPTH][16];
+// float[][] matrixInvStack = new float[MATRIX_STACK_DEPTH][16];
+// int matrixStackDepth;
+
+ static final int MATRIX_STACK_DEPTH = 32;
+
+ // ........................................................
+
+ /**
+ * Java AWT Image object associated with this renderer. For P2D and P3D,
+ * this will be associated with their MemoryImageSource. For PGraphicsJava2D,
+ * it will be the offscreen drawing buffer.
+ */
+ public Image image;
+
+ // ........................................................
+
+ // internal color for setting/calculating
+ protected float calcR, calcG, calcB, calcA;
+ protected int calcRi, calcGi, calcBi, calcAi;
+ protected int calcColor;
+ protected boolean calcAlpha;
+
+ /** The last RGB value converted to HSB */
+ int cacheHsbKey;
+ /** Result of the last conversion to HSB */
+ float[] cacheHsbValue = new float[3];
+
+ // ........................................................
+
+ /**
+ * Type of shape passed to beginShape(),
+ * zero if no shape is currently being drawn.
+ */
+ protected int shape;
+
+ // vertices
+ static final int DEFAULT_VERTICES = 512;
+ protected float vertices[][] =
+ new float[DEFAULT_VERTICES][VERTEX_FIELD_COUNT];
+ protected int vertexCount; // total number of vertices
+
+ // ........................................................
+
+ protected boolean bezierInited = false;
+ public int bezierDetail = 20;
+
+ // used by both curve and bezier, so just init here
+ protected PMatrix3D bezierBasisMatrix =
+ new PMatrix3D(-1, 3, -3, 1,
+ 3, -6, 3, 0,
+ -3, 3, 0, 0,
+ 1, 0, 0, 0);
+
+ //protected PMatrix3D bezierForwardMatrix;
+ protected PMatrix3D bezierDrawMatrix;
+
+ // ........................................................
+
+ protected boolean curveInited = false;
+ protected int curveDetail = 20;
+ public float curveTightness = 0;
+ // catmull-rom basis matrix, perhaps with optional s parameter
+ protected PMatrix3D curveBasisMatrix;
+ protected PMatrix3D curveDrawMatrix;
+
+ protected PMatrix3D bezierBasisInverse;
+ protected PMatrix3D curveToBezierMatrix;
+
+ // ........................................................
+
+ // spline vertices
+
+ protected float curveVertices[][];
+ protected int curveVertexCount;
+
+ // ........................................................
+
+ // precalculate sin/cos lookup tables [toxi]
+ // circle resolution is determined from the actual used radii
+ // passed to ellipse() method. this will automatically take any
+ // scale transformations into account too
+
+ // [toxi 031031]
+ // changed table's precision to 0.5 degree steps
+ // introduced new vars for more flexible code
+ static final protected float sinLUT[];
+ static final protected float cosLUT[];
+ static final protected float SINCOS_PRECISION = 0.5f;
+ static final protected int SINCOS_LENGTH = (int) (360f / SINCOS_PRECISION);
+ static {
+ sinLUT = new float[SINCOS_LENGTH];
+ cosLUT = new float[SINCOS_LENGTH];
+ for (int i = 0; i < SINCOS_LENGTH; i++) {
+ sinLUT[i] = (float) Math.sin(i * DEG_TO_RAD * SINCOS_PRECISION);
+ cosLUT[i] = (float) Math.cos(i * DEG_TO_RAD * SINCOS_PRECISION);
+ }
+ }
+
+ // ........................................................
+
+ /** The current font if a Java version of it is installed */
+ //protected Font textFontNative;
+
+ /** Metrics for the current native Java font */
+ //protected FontMetrics textFontNativeMetrics;
+
+ /** Last text position, because text often mixed on lines together */
+ protected float textX, textY, textZ;
+
+ /**
+ * Internal buffer used by the text() functions
+ * because the String object is slow
+ */
+ protected char[] textBuffer = new char[8 * 1024];
+ protected char[] textWidthBuffer = new char[8 * 1024];
+
+ protected int textBreakCount;
+ protected int[] textBreakStart;
+ protected int[] textBreakStop;
+
+ // ........................................................
+
+ public boolean edge = true;
+
+ // ........................................................
+
+ /// normal calculated per triangle
+ static protected final int NORMAL_MODE_AUTO = 0;
+ /// one normal manually specified per shape
+ static protected final int NORMAL_MODE_SHAPE = 1;
+ /// normals specified for each shape vertex
+ static protected final int NORMAL_MODE_VERTEX = 2;
+
+ /// Current mode for normals, one of AUTO, SHAPE, or VERTEX
+ protected int normalMode;
+
+ /// Keep track of how many calls to normal, to determine the mode.
+ //protected int normalCount;
+
+ /** Current normal vector. */
+ public float normalX, normalY, normalZ;
+
+ // ........................................................
+
+ /**
+ * Sets whether texture coordinates passed to
+ * vertex() calls will be based on coordinates that are
+ * based on the IMAGE or NORMALIZED.
+ */
+ public int textureMode;
+
+ /**
+ * Current horizontal coordinate for texture, will always
+ * be between 0 and 1, even if using textureMode(IMAGE).
+ */
+ public float textureU;
+
+ /** Current vertical coordinate for texture, see above. */
+ public float textureV;
+
+ /** Current image being used as a texture */
+ public PImage textureImage;
+
+ // ........................................................
+
+ // [toxi031031] new & faster sphere code w/ support flexibile resolutions
+ // will be set by sphereDetail() or 1st call to sphere()
+ float sphereX[], sphereY[], sphereZ[];
+
+ /// Number of U steps (aka "theta") around longitudinally spanning 2*pi
+ public int sphereDetailU = 0;
+ /// Number of V steps (aka "phi") along latitudinally top-to-bottom spanning pi
+ public int sphereDetailV = 0;
+
+
+ //////////////////////////////////////////////////////////////
+
+ // INTERNAL
+
+
+ /**
+ * Constructor for the PGraphics object. Use this to ensure that
+ * the defaults get set properly. In a subclass, use this(w, h)
+ * as the first line of a subclass' constructor to properly set
+ * the internal fields and defaults.
+ *
+ */
+ public PGraphics() {
+ }
+
+
+ public void setParent(PApplet parent) { // ignore
+ this.parent = parent;
+ }
+
+
+ /**
+ * Set (or unset) this as the main drawing surface. Meaning that it can
+ * safely be set to opaque (and given a default gray background), or anything
+ * else that goes along with that.
+ */
+ public void setPrimary(boolean primary) { // ignore
+ this.primarySurface = primary;
+
+ // base images must be opaque (for performance and general
+ // headache reasons.. argh, a semi-transparent opengl surface?)
+ // use createGraphics() if you want a transparent surface.
+ if (primarySurface) {
+ format = RGB;
+ }
+ }
+
+
+ public void setPath(String path) { // ignore
+ this.path = path;
+ }
+
+
+ /**
+ * The final step in setting up a renderer, set its size of this renderer.
+ * This was formerly handled by the constructor, but instead it's been broken
+ * out so that setParent/setPrimary/setPath can be handled differently.
+ *
+ * Important that this is ignored by preproc.pl because otherwise it will
+ * override setSize() in PApplet/Applet/Component, which will 1) not call
+ * super.setSize(), and 2) will cause the renderer to be resized from the
+ * event thread (EDT), causing a nasty crash as it collides with the
+ * animation thread.
+ */
+ public void setSize(int w, int h) { // ignore
+ width = w;
+ height = h;
+ width1 = width - 1;
+ height1 = height - 1;
+
+ allocate();
+ reapplySettings();
+ }
+
+
+ /**
+ * Allocate memory for this renderer. Generally will need to be implemented
+ * for all renderers.
+ */
+ protected void allocate() { }
+
+
+ /**
+ * Handle any takedown for this graphics context.
+ *
+ *
+ */
+ public void hint(int which) {
+ if (which > 0) {
+ hints[which] = true;
+ } else {
+ hints[-which] = false;
+ }
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // VERTEX SHAPES
+
+ /**
+ * Start a new shape of type POLYGON
+ */
+ public void beginShape() {
+ beginShape(POLYGON);
+ }
+
+
+ /**
+ * Start a new shape.
+ *
+ * [toxi 031031] new sphere code. removed all multiplies with
+ * radius, as scale() will take care of that anyway
+ *
+ * [toxi 031223] updated sphere code (removed modulos)
+ * and introduced sphereAt(x,y,z,r)
+ * to avoid additional translate()'s on the user/sketch side
+ *
+ * [davbol 080801] now using separate sphereDetailU/V
+ *
+ */
+ public void sphere(float r) {
+ if ((sphereDetailU < 3) || (sphereDetailV < 2)) {
+ sphereDetail(30);
+ }
+
+ pushMatrix();
+ scale(r);
+ edge(false);
+
+ // 1st ring from south pole
+ beginShape(TRIANGLE_STRIP);
+ for (int i = 0; i < sphereDetailU; i++) {
+ normal(0, -1, 0);
+ vertex(0, -1, 0);
+ normal(sphereX[i], sphereY[i], sphereZ[i]);
+ vertex(sphereX[i], sphereY[i], sphereZ[i]);
+ }
+ //normal(0, -1, 0);
+ vertex(0, -1, 0);
+ normal(sphereX[0], sphereY[0], sphereZ[0]);
+ vertex(sphereX[0], sphereY[0], sphereZ[0]);
+ endShape();
+
+ int v1,v11,v2;
+
+ // middle rings
+ int voff = 0;
+ for (int i = 2; i < sphereDetailV; i++) {
+ v1 = v11 = voff;
+ voff += sphereDetailU;
+ v2 = voff;
+ beginShape(TRIANGLE_STRIP);
+ for (int j = 0; j < sphereDetailU; j++) {
+ normal(sphereX[v1], sphereY[v1], sphereZ[v1]);
+ vertex(sphereX[v1], sphereY[v1], sphereZ[v1++]);
+ normal(sphereX[v2], sphereY[v2], sphereZ[v2]);
+ vertex(sphereX[v2], sphereY[v2], sphereZ[v2++]);
+ }
+ // close each ring
+ v1 = v11;
+ v2 = voff;
+ normal(sphereX[v1], sphereY[v1], sphereZ[v1]);
+ vertex(sphereX[v1], sphereY[v1], sphereZ[v1]);
+ normal(sphereX[v2], sphereY[v2], sphereZ[v2]);
+ vertex(sphereX[v2], sphereY[v2], sphereZ[v2]);
+ endShape();
+ }
+
+ // add the northern cap
+ beginShape(TRIANGLE_STRIP);
+ for (int i = 0; i < sphereDetailU; i++) {
+ v2 = voff + i;
+ normal(sphereX[v2], sphereY[v2], sphereZ[v2]);
+ vertex(sphereX[v2], sphereY[v2], sphereZ[v2]);
+ normal(0, 1, 0);
+ vertex(0, 1, 0);
+ }
+ normal(sphereX[voff], sphereY[voff], sphereZ[voff]);
+ vertex(sphereX[voff], sphereY[voff], sphereZ[voff]);
+ normal(0, 1, 0);
+ vertex(0, 1, 0);
+ endShape();
+
+ edge(true);
+ popMatrix();
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // BEZIER
+
+
+ /**
+ * Evalutes quadratic bezier at point t for points a, b, c, d.
+ * t varies between 0 and 1, and a and d are the on curve points,
+ * b and c are the control points. this can be done once with the
+ * x coordinates and a second time with the y coordinates to get
+ * the location of a bezier curve at t.
+ *
+ * stroke(255, 102, 0);
+ * line(85, 20, 10, 10);
+ * line(90, 90, 15, 80);
+ * stroke(0, 0, 0);
+ * bezier(85, 20, 10, 10, 90, 90, 15, 80);
+ *
+ * // draw it in gray, using 10 steps instead of the default 20
+ * // this is a slower way to do it, but useful if you need
+ * // to do things with the coordinates at each step
+ * stroke(128);
+ * beginShape(LINE_STRIP);
+ * for (int i = 0; i <= 10; i++) {
+ * float t = i / 10.0f;
+ * float x = bezierPoint(85, 10, 90, 15, t);
+ * float y = bezierPoint(20, 10, 90, 80, t);
+ * vertex(x, y);
+ * }
+ * endShape();
+ */
+ public float bezierPoint(float a, float b, float c, float d, float t) {
+ float t1 = 1.0f - t;
+ return a*t1*t1*t1 + 3*b*t*t1*t1 + 3*c*t*t*t1 + d*t*t*t;
+ }
+
+
+ /**
+ * Provide the tangent at the given point on the bezier curve.
+ * Fix from davbol for 0136.
+ */
+ public float bezierTangent(float a, float b, float c, float d, float t) {
+ return (3*t*t * (-a+3*b-3*c+d) +
+ 6*t * (a-2*b+c) +
+ 3 * (-a+b));
+ }
+
+
+ protected void bezierInitCheck() {
+ if (!bezierInited) {
+ bezierInit();
+ }
+ }
+
+
+ protected void bezierInit() {
+ // overkill to be broken out, but better parity with the curve stuff below
+ bezierDetail(bezierDetail);
+ bezierInited = true;
+ }
+
+
+ public void bezierDetail(int detail) {
+ bezierDetail = detail;
+
+ if (bezierDrawMatrix == null) {
+ bezierDrawMatrix = new PMatrix3D();
+ }
+
+ // setup matrix for forward differencing to speed up drawing
+ splineForward(detail, bezierDrawMatrix);
+
+ // multiply the basis and forward diff matrices together
+ // saves much time since this needn't be done for each curve
+ //mult_spline_matrix(bezierForwardMatrix, bezier_basis, bezierDrawMatrix, 4);
+ //bezierDrawMatrix.set(bezierForwardMatrix);
+ bezierDrawMatrix.apply(bezierBasisMatrix);
+ }
+
+
+ /**
+ * Draw a cubic bezier curve. The first and last points are
+ * the on-curve points. The middle two are the 'control' points,
+ * or 'handles' in an application like Illustrator.
+ * beginShape();
+ * vertex(x1, y1);
+ * bezierVertex(x2, y2, x3, y3, x4, y4);
+ * endShape();
+ *
+ * In Postscript-speak, this would be:
+ * moveto(x1, y1);
+ * curveto(x2, y2, x3, y3, x4, y4);
+ * If you were to try and continue that curve like so:
+ * curveto(x5, y5, x6, y6, x7, y7);
+ * This would be done in processing by adding these statements:
+ * bezierVertex(x5, y5, x6, y6, x7, y7)
+ *
+ * To draw a quadratic (instead of cubic) curve,
+ * use the control point twice by doubling it:
+ * bezier(x1, y1, cx, cy, cx, cy, x2, y2);
+ */
+ public void bezier(float x1, float y1,
+ float x2, float y2,
+ float x3, float y3,
+ float x4, float y4) {
+ beginShape();
+ vertex(x1, y1);
+ bezierVertex(x2, y2, x3, y3, x4, y4);
+ endShape();
+ }
+
+
+ public void bezier(float x1, float y1, float z1,
+ float x2, float y2, float z2,
+ float x3, float y3, float z3,
+ float x4, float y4, float z4) {
+ beginShape();
+ vertex(x1, y1, z1);
+ bezierVertex(x2, y2, z2,
+ x3, y3, z3,
+ x4, y4, z4);
+ endShape();
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // CATMULL-ROM CURVE
+
+
+ /**
+ * Get a location along a catmull-rom curve segment.
+ *
+ * @param t Value between zero and one for how far along the segment
+ */
+ public float curvePoint(float a, float b, float c, float d, float t) {
+ curveInitCheck();
+
+ float tt = t * t;
+ float ttt = t * tt;
+ PMatrix3D cb = curveBasisMatrix;
+
+ // not optimized (and probably need not be)
+ return (a * (ttt*cb.m00 + tt*cb.m10 + t*cb.m20 + cb.m30) +
+ b * (ttt*cb.m01 + tt*cb.m11 + t*cb.m21 + cb.m31) +
+ c * (ttt*cb.m02 + tt*cb.m12 + t*cb.m22 + cb.m32) +
+ d * (ttt*cb.m03 + tt*cb.m13 + t*cb.m23 + cb.m33));
+ }
+
+
+ /**
+ * Calculate the tangent at a t value (0..1) on a Catmull-Rom curve.
+ * Code thanks to Dave Bollinger (Bug #715)
+ */
+ public float curveTangent(float a, float b, float c, float d, float t) {
+ curveInitCheck();
+
+ float tt3 = t * t * 3;
+ float t2 = t * 2;
+ PMatrix3D cb = curveBasisMatrix;
+
+ // not optimized (and probably need not be)
+ return (a * (tt3*cb.m00 + t2*cb.m10 + cb.m20) +
+ b * (tt3*cb.m01 + t2*cb.m11 + cb.m21) +
+ c * (tt3*cb.m02 + t2*cb.m12 + cb.m22) +
+ d * (tt3*cb.m03 + t2*cb.m13 + cb.m23) );
+ }
+
+
+ public void curveDetail(int detail) {
+ curveDetail = detail;
+ curveInit();
+ }
+
+
+ public void curveTightness(float tightness) {
+ curveTightness = tightness;
+ curveInit();
+ }
+
+
+ protected void curveInitCheck() {
+ if (!curveInited) {
+ curveInit();
+ }
+ }
+
+
+ /**
+ * Set the number of segments to use when drawing a Catmull-Rom
+ * curve, and setting the s parameter, which defines how tightly
+ * the curve fits to each vertex. Catmull-Rom curves are actually
+ * a subset of this curve type where the s is set to zero.
+ *
+ * beginShape();
+ * curveVertex(x1, y1);
+ * curveVertex(x2, y2);
+ * curveVertex(x3, y3);
+ * curveVertex(x4, y4);
+ * endShape();
+ *
+ */
+ public void curve(float x1, float y1,
+ float x2, float y2,
+ float x3, float y3,
+ float x4, float y4) {
+ beginShape();
+ curveVertex(x1, y1);
+ curveVertex(x2, y2);
+ curveVertex(x3, y3);
+ curveVertex(x4, y4);
+ endShape();
+ }
+
+
+ public void curve(float x1, float y1, float z1,
+ float x2, float y2, float z2,
+ float x3, float y3, float z3,
+ float x4, float y4, float z4) {
+ beginShape();
+ curveVertex(x1, y1, z1);
+ curveVertex(x2, y2, z2);
+ curveVertex(x3, y3, z3);
+ curveVertex(x4, y4, z4);
+ endShape();
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SPLINE UTILITY FUNCTIONS (used by both Bezier and Catmull-Rom)
+
+
+ /**
+ * Setup forward-differencing matrix to be used for speedy
+ * curve rendering. It's based on using a specific number
+ * of curve segments and just doing incremental adds for each
+ * vertex of the segment, rather than running the mathematically
+ * expensive cubic equation.
+ * @param segments number of curve segments to use when drawing
+ * @param matrix target object for the new matrix
+ */
+ protected void splineForward(int segments, PMatrix3D matrix) {
+ float f = 1.0f / segments;
+ float ff = f * f;
+ float fff = ff * f;
+
+ matrix.set(0, 0, 0, 1,
+ fff, ff, f, 0,
+ 6*fff, 2*ff, 0, 0,
+ 6*fff, 0, 0, 0);
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SMOOTHING
+
+
+ /**
+ * If true in PImage, use bilinear interpolation for copy()
+ * operations. When inherited by PGraphics, also controls shapes.
+ */
+ public void smooth() {
+ smooth = true;
+ }
+
+
+ /**
+ * Disable smoothing. See smooth().
+ */
+ public void noSmooth() {
+ smooth = false;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // IMAGE
+
+
+ /**
+ * The mode can only be set to CORNERS, CORNER, and CENTER.
+ *
+ * Support for CENTER was added in release 0146.
+ */
+ public void imageMode(int mode) {
+ if ((mode == CORNER) || (mode == CORNERS) || (mode == CENTER)) {
+ imageMode = mode;
+ } else {
+ String msg =
+ "imageMode() only works with CORNER, CORNERS, or CENTER";
+ throw new RuntimeException(msg);
+ }
+ }
+
+
+ public void image(PImage image, float x, float y) {
+ // Starting in release 0144, image errors are simply ignored.
+ // loadImageAsync() sets width and height to -1 when loading fails.
+ if (image.width == -1 || image.height == -1) return;
+
+ if (imageMode == CORNER || imageMode == CORNERS) {
+ imageImpl(image,
+ x, y, x+image.width, y+image.height,
+ 0, 0, image.width, image.height);
+
+ } else if (imageMode == CENTER) {
+ float x1 = x - image.width/2;
+ float y1 = y - image.height/2;
+ imageImpl(image,
+ x1, y1, x1+image.width, y1+image.height,
+ 0, 0, image.width, image.height);
+ }
+ }
+
+
+ public void image(PImage image, float x, float y, float c, float d) {
+ image(image, x, y, c, d, 0, 0, image.width, image.height);
+ }
+
+
+ /**
+ * Draw an image(), also specifying u/v coordinates.
+ * In this method, the u, v coordinates are always based on image space
+ * location, regardless of the current textureMode().
+ */
+ public void image(PImage image,
+ float a, float b, float c, float d,
+ int u1, int v1, int u2, int v2) {
+ // Starting in release 0144, image errors are simply ignored.
+ // loadImageAsync() sets width and height to -1 when loading fails.
+ if (image.width == -1 || image.height == -1) return;
+
+ if (imageMode == CORNER) {
+ if (c < 0) { // reset a negative width
+ a += c; c = -c;
+ }
+ if (d < 0) { // reset a negative height
+ b += d; d = -d;
+ }
+
+ imageImpl(image,
+ a, b, a + c, b + d,
+ u1, v1, u2, v2);
+
+ } else if (imageMode == CORNERS) {
+ if (c < a) { // reverse because x2 < x1
+ float temp = a; a = c; c = temp;
+ }
+ if (d < b) { // reverse because y2 < y1
+ float temp = b; b = d; d = temp;
+ }
+
+ imageImpl(image,
+ a, b, c, d,
+ u1, v1, u2, v2);
+
+ } else if (imageMode == CENTER) {
+ // c and d are width/height
+ if (c < 0) c = -c;
+ if (d < 0) d = -d;
+ float x1 = a - c/2;
+ float y1 = b - d/2;
+
+ imageImpl(image,
+ x1, y1, x1 + c, y1 + d,
+ u1, v1, u2, v2);
+ }
+ }
+
+
+ /**
+ * Expects x1, y1, x2, y2 coordinates where (x2 >= x1) and (y2 >= y1).
+ * If tint() has been called, the image will be colored.
+ *
+ * The default implementation draws an image as a textured quad.
+ * The (u, v) coordinates are in image space (they're ints, after all..)
+ */
+ protected void imageImpl(PImage image,
+ float x1, float y1, float x2, float y2,
+ int u1, int v1, int u2, int v2) {
+ boolean savedStroke = stroke;
+// boolean savedFill = fill;
+ int savedTextureMode = textureMode;
+
+ stroke = false;
+// fill = true;
+ textureMode = IMAGE;
+
+// float savedFillR = fillR;
+// float savedFillG = fillG;
+// float savedFillB = fillB;
+// float savedFillA = fillA;
+//
+// if (tint) {
+// fillR = tintR;
+// fillG = tintG;
+// fillB = tintB;
+// fillA = tintA;
+//
+// } else {
+// fillR = 1;
+// fillG = 1;
+// fillB = 1;
+// fillA = 1;
+// }
+
+ beginShape(QUADS);
+ texture(image);
+ vertex(x1, y1, u1, v1);
+ vertex(x1, y2, u1, v2);
+ vertex(x2, y2, u2, v2);
+ vertex(x2, y1, u2, v1);
+ endShape();
+
+ stroke = savedStroke;
+// fill = savedFill;
+ textureMode = savedTextureMode;
+
+// fillR = savedFillR;
+// fillG = savedFillG;
+// fillB = savedFillB;
+// fillA = savedFillA;
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SHAPE
+
+
+ /**
+ * Set the orientation for the shape() command (like imageMode() or rectMode()).
+ * @param mode Either CORNER, CORNERS, or CENTER.
+ */
+ public void shapeMode(int mode) {
+ this.shapeMode = mode;
+ }
+
+
+ public void shape(PShape shape) {
+ if (shape.isVisible()) { // don't do expensive matrix ops if invisible
+ if (shapeMode == CENTER) {
+ pushMatrix();
+ translate(-shape.getWidth()/2, -shape.getHeight()/2);
+ }
+
+ shape.draw(this); // needs to handle recorder too
+
+ if (shapeMode == CENTER) {
+ popMatrix();
+ }
+ }
+ }
+
+
+ /**
+ * Convenience method to draw at a particular location.
+ */
+ public void shape(PShape shape, float x, float y) {
+ if (shape.isVisible()) { // don't do expensive matrix ops if invisible
+ pushMatrix();
+
+ if (shapeMode == CENTER) {
+ translate(x - shape.getWidth()/2, y - shape.getHeight()/2);
+
+ } else if ((shapeMode == CORNER) || (shapeMode == CORNERS)) {
+ translate(x, y);
+ }
+ shape.draw(this);
+
+ popMatrix();
+ }
+ }
+
+
+ public void shape(PShape shape, float x, float y, float c, float d) {
+ if (shape.isVisible()) { // don't do expensive matrix ops if invisible
+ pushMatrix();
+
+ if (shapeMode == CENTER) {
+ // x and y are center, c and d refer to a diameter
+ translate(x - c/2f, y - d/2f);
+ scale(c / shape.getWidth(), d / shape.getHeight());
+
+ } else if (shapeMode == CORNER) {
+ translate(x, y);
+ scale(c / shape.getWidth(), d / shape.getHeight());
+
+ } else if (shapeMode == CORNERS) {
+ // c and d are x2/y2, make them into width/height
+ c -= x;
+ d -= y;
+ // then same as above
+ translate(x, y);
+ scale(c / shape.getWidth(), d / shape.getHeight());
+ }
+ shape.draw(this);
+
+ popMatrix();
+ }
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // TEXT/FONTS
+
+
+ /**
+ * Sets the alignment of the text to one of LEFT, CENTER, or RIGHT.
+ * This will also reset the vertical text alignment to BASELINE.
+ */
+ public void textAlign(int align) {
+ textAlign(align, BASELINE);
+ }
+
+
+ /**
+ * Sets the horizontal and vertical alignment of the text. The horizontal
+ * alignment can be one of LEFT, CENTER, or RIGHT. The vertical alignment
+ * can be TOP, BOTTOM, CENTER, or the BASELINE (the default).
+ */
+ public void textAlign(int alignX, int alignY) {
+ textAlign = alignX;
+ textAlignY = alignY;
+ }
+
+
+ /**
+ * Returns the ascent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
+ public float textAscent() {
+ if (textFont == null) {
+ showTextFontException("textAscent");
+ }
+ return textFont.ascent() * ((textMode == SCREEN) ? textFont.size : textSize);
+ }
+
+
+ /**
+ * Returns the descent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
+ public float textDescent() {
+ if (textFont == null) {
+ showTextFontException("textDescent");
+ }
+ return textFont.descent() * ((textMode == SCREEN) ? textFont.size : textSize);
+ }
+
+
+ /**
+ * Sets the current font. The font's size will be the "natural"
+ * size of this font (the size that was set when using "Create Font").
+ * The leading will also be reset.
+ */
+ public void textFont(PFont which) {
+ if (which != null) {
+ textFont = which;
+ if (hints[ENABLE_NATIVE_FONTS]) {
+ //if (which.font == null) {
+ which.findFont();
+ //}
+ }
+ /*
+ textFontNative = which.font;
+
+ //textFontNativeMetrics = null;
+ // changed for rev 0104 for textMode(SHAPE) in opengl
+ if (textFontNative != null) {
+ // TODO need a better way to handle this. could use reflection to get
+ // rid of the warning, but that'd be a little silly. supporting this is
+ // an artifact of supporting java 1.1, otherwise we'd use getLineMetrics,
+ // as recommended by the @deprecated flag.
+ textFontNativeMetrics =
+ Toolkit.getDefaultToolkit().getFontMetrics(textFontNative);
+ // The following is what needs to be done, however we need to be able
+ // to get the actual graphics context where the drawing is happening.
+ // For instance, parent.getGraphics() doesn't work for OpenGL since
+ // an OpenGL drawing surface is an embedded component.
+// if (parent != null) {
+// textFontNativeMetrics = parent.getGraphics().getFontMetrics(textFontNative);
+// }
+
+ // float w = font.getStringBounds(text, g2.getFontRenderContext()).getWidth();
+ }
+ */
+ textSize(which.size);
+
+ } else {
+ throw new RuntimeException(ERROR_TEXTFONT_NULL_PFONT);
+ }
+ }
+
+
+ /**
+ * Useful function to set the font and size at the same time.
+ */
+ public void textFont(PFont which, float size) {
+ textFont(which);
+ textSize(size);
+ }
+
+
+ /**
+ * Set the text leading to a specific value. If using a custom
+ * value for the text leading, you'll have to call textLeading()
+ * again after any calls to textSize().
+ */
+ public void textLeading(float leading) {
+ textLeading = leading;
+ }
+
+
+ /**
+ * Sets the text rendering/placement to be either SCREEN (direct
+ * to the screen, exact coordinates, only use the font's original size)
+ * or MODEL (the default, where text is manipulated by translate() and
+ * can have a textSize). The text size cannot be set when using
+ * textMode(SCREEN), because it uses the pixels directly from the font.
+ */
+ public void textMode(int mode) {
+ // CENTER and MODEL overlap (they're both 3)
+ if ((mode == LEFT) || (mode == RIGHT)) {
+ showWarning("Since Processing beta, textMode() is now textAlign().");
+ return;
+ }
+// if ((mode != SCREEN) && (mode != MODEL)) {
+// showError("Only textMode(SCREEN) and textMode(MODEL) " +
+// "are available with this renderer.");
+// }
+
+ if (textModeCheck(mode)) {
+ textMode = mode;
+ } else {
+ String modeStr = String.valueOf(mode);
+ switch (mode) {
+ case SCREEN: modeStr = "SCREEN"; break;
+ case MODEL: modeStr = "MODEL"; break;
+ case SHAPE: modeStr = "SHAPE"; break;
+ }
+ showWarning("textMode(" + modeStr + ") is not supported by this renderer.");
+ }
+
+ // reset the font to its natural size
+ // (helps with width calculations and all that)
+ //if (textMode == SCREEN) {
+ //textSize(textFont.size);
+ //}
+
+ //} else {
+ //throw new RuntimeException("use textFont() before textMode()");
+ //}
+ }
+
+
+ protected boolean textModeCheck(int mode) {
+ return true;
+ }
+
+
+ /**
+ * Sets the text size, also resets the value for the leading.
+ */
+ public void textSize(float size) {
+ if (textFont != null) {
+// if ((textMode == SCREEN) && (size != textFont.size)) {
+// throw new RuntimeException("textSize() is ignored with " +
+// "textMode(SCREEN)");
+// }
+ textSize = size;
+ textLeading = (textAscent() + textDescent()) * 1.275f;
+
+ } else {
+ showTextFontException("textSize");
+ }
+ }
+
+
+ // ........................................................
+
+
+ public float textWidth(char c) {
+ textWidthBuffer[0] = c;
+ return textWidthImpl(textWidthBuffer, 0, 1);
+ }
+
+
+ /**
+ * Return the width of a line of text. If the text has multiple
+ * lines, this returns the length of the longest line.
+ */
+ public float textWidth(String str) {
+ if (textFont == null) {
+ showTextFontException("textWidth");
+ }
+
+ int length = str.length();
+ if (length > textWidthBuffer.length) {
+ textWidthBuffer = new char[length + 10];
+ }
+ str.getChars(0, length, textWidthBuffer, 0);
+
+ float wide = 0;
+ int index = 0;
+ int start = 0;
+
+ while (index < length) {
+ if (textWidthBuffer[index] == '\n') {
+ wide = Math.max(wide, textWidthImpl(textWidthBuffer, start, index));
+ start = index+1;
+ }
+ index++;
+ }
+ if (start < length) {
+ wide = Math.max(wide, textWidthImpl(textWidthBuffer, start, index));
+ }
+ return wide;
+ }
+
+
+ /**
+ * TODO not sure if this stays...
+ */
+ public float textWidth(char[] chars, int start, int length) {
+ return textWidthImpl(chars, start, start + length);
+ }
+
+
+ /**
+ * Implementation of returning the text width of
+ * the chars [start, stop) in the buffer.
+ * Unlike the previous version that was inside PFont, this will
+ * return the size not of a 1 pixel font, but the actual current size.
+ */
+ protected float textWidthImpl(char buffer[], int start, int stop) {
+ float wide = 0;
+ for (int i = start; i < stop; i++) {
+ // could add kerning here, but it just ain't implemented
+ wide += textFont.width(buffer[i]) * textSize;
+ }
+ return wide;
+ }
+
+
+ // ........................................................
+
+
+ /**
+ * Write text where we just left off.
+ */
+ public void text(char c) {
+ text(c, textX, textY, textZ);
+ }
+
+
+ /**
+ * Draw a single character on screen.
+ * Extremely slow when used with textMode(SCREEN) and Java 2D,
+ * because loadPixels has to be called first and updatePixels last.
+ */
+ public void text(char c, float x, float y) {
+ if (textFont == null) {
+ showTextFontException("text");
+ }
+
+ if (textMode == SCREEN) loadPixels();
+
+ if (textAlignY == CENTER) {
+ y += textAscent() / 2;
+ } else if (textAlignY == TOP) {
+ y += textAscent();
+ } else if (textAlignY == BOTTOM) {
+ y -= textDescent();
+ //} else if (textAlignY == BASELINE) {
+ // do nothing
+ }
+
+ textBuffer[0] = c;
+ textLineAlignImpl(textBuffer, 0, 1, x, y);
+
+ if (textMode == SCREEN) updatePixels();
+ }
+
+
+ /**
+ * Draw a single character on screen (with a z coordinate)
+ */
+ public void text(char c, float x, float y, float z) {
+// if ((z != 0) && (textMode == SCREEN)) {
+// String msg = "textMode(SCREEN) cannot have a z coordinate";
+// throw new RuntimeException(msg);
+// }
+
+ if (z != 0) translate(0, 0, z); // slowness, badness
+
+ text(c, x, y);
+ textZ = z;
+
+ if (z != 0) translate(0, 0, -z);
+ }
+
+
+ /**
+ * Write text where we just left off.
+ */
+ public void text(String str) {
+ text(str, textX, textY, textZ);
+ }
+
+
+ /**
+ * Draw a chunk of text.
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, but \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
+ public void text(String str, float x, float y) {
+ if (textFont == null) {
+ showTextFontException("text");
+ }
+
+ if (textMode == SCREEN) loadPixels();
+
+ int length = str.length();
+ if (length > textBuffer.length) {
+ textBuffer = new char[length + 10];
+ }
+ str.getChars(0, length, textBuffer, 0);
+ text(textBuffer, 0, length, x, y);
+ }
+
+
+ /**
+ * Method to draw text from an array of chars. This method will usually be
+ * more efficient than drawing from a String object, because the String will
+ * not be converted to a char array before drawing.
+ */
+ public void text(char[] chars, int start, int stop, float x, float y) {
+ // If multiple lines, sum the height of the additional lines
+ float high = 0; //-textAscent();
+ for (int i = start; i < stop; i++) {
+ if (chars[i] == '\n') {
+ high += textLeading;
+ }
+ }
+ if (textAlignY == CENTER) {
+ // for a single line, this adds half the textAscent to y
+ // for multiple lines, subtract half the additional height
+ //y += (textAscent() - textDescent() - high)/2;
+ y += (textAscent() - high)/2;
+ } else if (textAlignY == TOP) {
+ // for a single line, need to add textAscent to y
+ // for multiple lines, no different
+ y += textAscent();
+ } else if (textAlignY == BOTTOM) {
+ // for a single line, this is just offset by the descent
+ // for multiple lines, subtract leading for each line
+ y -= textDescent() + high;
+ //} else if (textAlignY == BASELINE) {
+ // do nothing
+ }
+
+// int start = 0;
+ int index = 0;
+ while (index < stop) { //length) {
+ if (chars[index] == '\n') {
+ textLineAlignImpl(chars, start, index, x, y);
+ start = index + 1;
+ y += textLeading;
+ }
+ index++;
+ }
+ if (start < stop) { //length) {
+ textLineAlignImpl(chars, start, index, x, y);
+ }
+ if (textMode == SCREEN) updatePixels();
+ }
+
+
+ /**
+ * Same as above but with a z coordinate.
+ */
+ public void text(String str, float x, float y, float z) {
+ if (z != 0) translate(0, 0, z); // slow!
+
+ text(str, x, y);
+ textZ = z;
+
+ if (z != 0) translate(0, 0, -z); // inaccurate!
+ }
+
+
+ public void text(char[] chars, int start, int stop,
+ float x, float y, float z) {
+ if (z != 0) translate(0, 0, z); // slow!
+
+ text(chars, start, stop, x, y);
+ textZ = z;
+
+ if (z != 0) translate(0, 0, -z); // inaccurate!
+ }
+
+
+ /**
+ * Draw text in a box that is constrained to a particular size.
+ * The current rectMode() determines what the coordinates mean
+ * (whether x1/y1/x2/y2 or x/y/w/h).
+ *
+ * Note that the x,y coords of the start of the box
+ * will align with the *ascent* of the text, not the baseline,
+ * as is the case for the other text() functions.
+ *
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, and \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
+ public void text(String str, float x1, float y1, float x2, float y2) {
+ if (textFont == null) {
+ showTextFontException("text");
+ }
+
+ if (textMode == SCREEN) loadPixels();
+
+ float hradius, vradius;
+ switch (rectMode) {
+ case CORNER:
+ x2 += x1; y2 += y1;
+ break;
+ case RADIUS:
+ hradius = x2;
+ vradius = y2;
+ x2 = x1 + hradius;
+ y2 = y1 + vradius;
+ x1 -= hradius;
+ y1 -= vradius;
+ break;
+ case CENTER:
+ hradius = x2 / 2.0f;
+ vradius = y2 / 2.0f;
+ x2 = x1 + hradius;
+ y2 = y1 + vradius;
+ x1 -= hradius;
+ y1 -= vradius;
+ }
+ if (x2 < x1) {
+ float temp = x1; x1 = x2; x2 = temp;
+ }
+ if (y2 < y1) {
+ float temp = y1; y1 = y2; y2 = temp;
+ }
+
+// float currentY = y1;
+ float boxWidth = x2 - x1;
+
+// // ala illustrator, the text itself must fit inside the box
+// currentY += textAscent(); //ascent() * textSize;
+// // if the box is already too small, tell em to f off
+// if (currentY > y2) return;
+
+ float spaceWidth = textWidth(' ');
+
+ if (textBreakStart == null) {
+ textBreakStart = new int[20];
+ textBreakStop = new int[20];
+ }
+ textBreakCount = 0;
+
+ int length = str.length();
+ if (length + 1 > textBuffer.length) {
+ textBuffer = new char[length + 1];
+ }
+ str.getChars(0, length, textBuffer, 0);
+ // add a fake newline to simplify calculations
+ textBuffer[length++] = '\n';
+
+ int sentenceStart = 0;
+ for (int i = 0; i < length; i++) {
+ if (textBuffer[i] == '\n') {
+// currentY = textSentence(textBuffer, sentenceStart, i,
+// lineX, boxWidth, currentY, y2, spaceWidth);
+ boolean legit =
+ textSentence(textBuffer, sentenceStart, i, boxWidth, spaceWidth);
+ if (!legit) break;
+// if (Float.isNaN(currentY)) break; // word too big (or error)
+// if (currentY > y2) break; // past the box
+ sentenceStart = i + 1;
+ }
+ }
+
+ // lineX is the position where the text starts, which is adjusted
+ // to left/center/right based on the current textAlign
+ float lineX = x1; //boxX1;
+ if (textAlign == CENTER) {
+ lineX = lineX + boxWidth/2f;
+ } else if (textAlign == RIGHT) {
+ lineX = x2; //boxX2;
+ }
+
+ float boxHeight = y2 - y1;
+ //int lineFitCount = 1 + PApplet.floor((boxHeight - textAscent()) / textLeading);
+ // incorporate textAscent() for the top (baseline will be y1 + ascent)
+ // and textDescent() for the bottom, so that lower parts of letters aren't
+ // outside the box. [0151]
+ float topAndBottom = textAscent() + textDescent();
+ int lineFitCount = 1 + PApplet.floor((boxHeight - topAndBottom) / textLeading);
+ int lineCount = Math.min(textBreakCount, lineFitCount);
+
+ if (textAlignY == CENTER) {
+ float lineHigh = textAscent() + textLeading * (lineCount - 1);
+ float y = y1 + textAscent() + (boxHeight - lineHigh) / 2;
+ for (int i = 0; i < lineCount; i++) {
+ textLineAlignImpl(textBuffer, textBreakStart[i], textBreakStop[i], lineX, y);
+ y += textLeading;
+ }
+
+ } else if (textAlignY == BOTTOM) {
+ float y = y2 - textDescent() - textLeading * (lineCount - 1);
+ for (int i = 0; i < lineCount; i++) {
+ textLineAlignImpl(textBuffer, textBreakStart[i], textBreakStop[i], lineX, y);
+ y += textLeading;
+ }
+
+ } else { // TOP or BASELINE just go to the default
+ float y = y1 + textAscent();
+ for (int i = 0; i < lineCount; i++) {
+ textLineAlignImpl(textBuffer, textBreakStart[i], textBreakStop[i], lineX, y);
+ y += textLeading;
+ }
+ }
+
+ if (textMode == SCREEN) updatePixels();
+ }
+
+
+ /**
+ * Emit a sentence of text, defined as a chunk of text without any newlines.
+ * @param stop non-inclusive, the end of the text in question
+ */
+ protected boolean textSentence(char[] buffer, int start, int stop,
+ float boxWidth, float spaceWidth) {
+ float runningX = 0;
+
+ // Keep track of this separately from index, since we'll need to back up
+ // from index when breaking words that are too long to fit.
+ int lineStart = start;
+ int wordStart = start;
+ int index = start;
+ while (index <= stop) {
+ // boundary of a word or end of this sentence
+ if ((buffer[index] == ' ') || (index == stop)) {
+ float wordWidth = textWidthImpl(buffer, wordStart, index);
+
+ if (runningX + wordWidth > boxWidth) {
+ if (runningX != 0) {
+ // Next word is too big, output the current line and advance
+ index = wordStart;
+ textSentenceBreak(lineStart, index);
+ // Eat whitespace because multiple spaces don't count for s*
+ // when they're at the end of a line.
+ while ((index < stop) && (buffer[index] == ' ')) {
+ index++;
+ }
+ } else { // (runningX == 0)
+ // If this is the first word on the line, and its width is greater
+ // than the width of the text box, then break the word where at the
+ // max width, and send the rest of the word to the next line.
+ do {
+ index--;
+ if (index == wordStart) {
+ // Not a single char will fit on this line. screw 'em.
+ //System.out.println("screw you");
+ return false; //Float.NaN;
+ }
+ wordWidth = textWidthImpl(buffer, wordStart, index);
+ } while (wordWidth > boxWidth);
+
+ //textLineImpl(buffer, lineStart, index, x, y);
+ textSentenceBreak(lineStart, index);
+ }
+ lineStart = index;
+ wordStart = index;
+ runningX = 0;
+
+ } else if (index == stop) {
+ // last line in the block, time to unload
+ //textLineImpl(buffer, lineStart, index, x, y);
+ textSentenceBreak(lineStart, index);
+// y += textLeading;
+ index++;
+
+ } else { // this word will fit, just add it to the line
+ runningX += wordWidth + spaceWidth;
+ wordStart = index + 1; // move on to the next word
+ index++;
+ }
+ } else { // not a space or the last character
+ index++; // this is just another letter
+ }
+ }
+// return y;
+ return true;
+ }
+
+
+ protected void textSentenceBreak(int start, int stop) {
+ if (textBreakCount == textBreakStart.length) {
+ textBreakStart = PApplet.expand(textBreakStart);
+ textBreakStop = PApplet.expand(textBreakStop);
+ }
+ textBreakStart[textBreakCount] = start;
+ textBreakStop[textBreakCount] = stop;
+ textBreakCount++;
+ }
+
+
+ public void text(String s, float x1, float y1, float x2, float y2, float z) {
+ if (z != 0) translate(0, 0, z); // slowness, badness
+
+ text(s, x1, y1, x2, y2);
+ textZ = z;
+
+ if (z != 0) translate(0, 0, -z); // TEMPORARY HACK! SLOW!
+ }
+
+
+ public void text(int num, float x, float y) {
+ text(String.valueOf(num), x, y);
+ }
+
+
+ public void text(int num, float x, float y, float z) {
+ text(String.valueOf(num), x, y, z);
+ }
+
+
+ /**
+ * This does a basic number formatting, to avoid the
+ * generally ugly appearance of printing floats.
+ * Users who want more control should use their own nf() cmmand,
+ * or if they want the long, ugly version of float,
+ * use String.valueOf() to convert the float to a String first.
+ */
+ public void text(float num, float x, float y) {
+ text(PApplet.nfs(num, 0, 3), x, y);
+ }
+
+
+ public void text(float num, float x, float y, float z) {
+ text(PApplet.nfs(num, 0, 3), x, y, z);
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // TEXT IMPL
+
+ // These are most likely to be overridden by subclasses, since the other
+ // (public) functions handle generic features like setting alignment.
+
+
+ /**
+ * Handles placement of a text line, then calls textLineImpl
+ * to actually render at the specific point.
+ */
+ protected void textLineAlignImpl(char buffer[], int start, int stop,
+ float x, float y) {
+ if (textAlign == CENTER) {
+ x -= textWidthImpl(buffer, start, stop) / 2f;
+
+ } else if (textAlign == RIGHT) {
+ x -= textWidthImpl(buffer, start, stop);
+ }
+
+ textLineImpl(buffer, start, stop, x, y);
+ }
+
+
+ /**
+ * Implementation of actual drawing for a line of text.
+ */
+ protected void textLineImpl(char buffer[], int start, int stop,
+ float x, float y) {
+ for (int index = start; index < stop; index++) {
+ textCharImpl(buffer[index], x, y);
+
+ // this doesn't account for kerning
+ x += textWidth(buffer[index]);
+ }
+ textX = x;
+ textY = y;
+ textZ = 0; // this will get set by the caller if non-zero
+ }
+
+
+ protected void textCharImpl(char ch, float x, float y) { //, float z) {
+ int index = textFont.index(ch);
+ if (index == -1) return;
+
+ PImage glyph = textFont.images[index];
+
+ if (textMode == MODEL) {
+ float high = (float) textFont.height[index] / textFont.fheight;
+ float bwidth = (float) textFont.width[index] / textFont.fwidth;
+ float lextent = (float) textFont.leftExtent[index] / textFont.fwidth;
+ float textent = (float) textFont.topExtent[index] / textFont.fheight;
+
+ float x1 = x + lextent * textSize;
+ float y1 = y - textent * textSize;
+ float x2 = x1 + bwidth * textSize;
+ float y2 = y1 + high * textSize;
+
+ textCharModelImpl(glyph,
+ x1, y1, x2, y2,
+ //x1, y1, z, x2, y2, z,
+ textFont.width[index], textFont.height[index]);
+
+ } else if (textMode == SCREEN) {
+ int xx = (int) x + textFont.leftExtent[index];;
+ int yy = (int) y - textFont.topExtent[index];
+
+ int w0 = textFont.width[index];
+ int h0 = textFont.height[index];
+
+ textCharScreenImpl(glyph, xx, yy, w0, h0);
+ }
+ }
+
+
+ protected void textCharModelImpl(PImage glyph,
+ float x1, float y1, //float z1,
+ float x2, float y2, //float z2,
+ int u2, int v2) {
+ boolean savedTint = tint;
+ int savedTintColor = tintColor;
+ float savedTintR = tintR;
+ float savedTintG = tintG;
+ float savedTintB = tintB;
+ float savedTintA = tintA;
+ boolean savedTintAlpha = tintAlpha;
+
+ tint = true;
+ tintColor = fillColor;
+ tintR = fillR;
+ tintG = fillG;
+ tintB = fillB;
+ tintA = fillA;
+ tintAlpha = fillAlpha;
+
+ imageImpl(glyph, x1, y1, x2, y2, 0, 0, u2, v2);
+
+ tint = savedTint;
+ tintColor = savedTintColor;
+ tintR = savedTintR;
+ tintG = savedTintG;
+ tintB = savedTintB;
+ tintA = savedTintA;
+ tintAlpha = savedTintAlpha;
+ }
+
+
+ protected void textCharScreenImpl(PImage glyph,
+ int xx, int yy,
+ int w0, int h0) {
+ int x0 = 0;
+ int y0 = 0;
+
+ if ((xx >= width) || (yy >= height) ||
+ (xx + w0 < 0) || (yy + h0 < 0)) return;
+
+ if (xx < 0) {
+ x0 -= xx;
+ w0 += xx;
+ xx = 0;
+ }
+ if (yy < 0) {
+ y0 -= yy;
+ h0 += yy;
+ yy = 0;
+ }
+ if (xx + w0 > width) {
+ w0 -= ((xx + w0) - width);
+ }
+ if (yy + h0 > height) {
+ h0 -= ((yy + h0) - height);
+ }
+
+ int fr = fillRi;
+ int fg = fillGi;
+ int fb = fillBi;
+ int fa = fillAi;
+
+ int pixels1[] = glyph.pixels; //images[glyph].pixels;
+
+ // TODO this can be optimized a bit
+ for (int row = y0; row < y0 + h0; row++) {
+ for (int col = x0; col < x0 + w0; col++) {
+ int a1 = (fa * pixels1[row * textFont.twidth + col]) >> 8;
+ int a2 = a1 ^ 0xff;
+ //int p1 = pixels1[row * glyph.width + col];
+ int p2 = pixels[(yy + row-y0)*width + (xx+col-x0)];
+
+ pixels[(yy + row-y0)*width + xx+col-x0] =
+ (0xff000000 |
+ (((a1 * fr + a2 * ((p2 >> 16) & 0xff)) & 0xff00) << 8) |
+ (( a1 * fg + a2 * ((p2 >> 8) & 0xff)) & 0xff00) |
+ (( a1 * fb + a2 * ( p2 & 0xff)) >> 8));
+ }
+ }
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // MATRIX STACK
+
+
+ /**
+ * Push a copy of the current transformation matrix onto the stack.
+ */
+ public void pushMatrix() {
+ showMethodWarning("pushMatrix");
+ }
+
+
+ /**
+ * Replace the current transformation matrix with the top of the stack.
+ */
+ public void popMatrix() {
+ showMethodWarning("popMatrix");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // MATRIX TRANSFORMATIONS
+
+
+ /**
+ * Translate in X and Y.
+ */
+ public void translate(float tx, float ty) {
+ showMissingWarning("translate");
+ }
+
+
+ /**
+ * Translate in X, Y, and Z.
+ */
+ public void translate(float tx, float ty, float tz) {
+ showMissingWarning("translate");
+ }
+
+
+ /**
+ * Two dimensional rotation.
+ *
+ * Same as rotateZ (this is identical to a 3D rotation along the z-axis)
+ * but included for clarity. It'd be weird for people drawing 2D graphics
+ * to be using rotateZ. And they might kick our a-- for the confusion.
+ *
+ * Additional background.
+ */
+ public void rotate(float angle) {
+ showMissingWarning("rotate");
+ }
+
+
+ /**
+ * Rotate around the X axis.
+ */
+ public void rotateX(float angle) {
+ showMethodWarning("rotateX");
+ }
+
+
+ /**
+ * Rotate around the Y axis.
+ */
+ public void rotateY(float angle) {
+ showMethodWarning("rotateY");
+ }
+
+
+ /**
+ * Rotate around the Z axis.
+ *
+ * The functions rotate() and rotateZ() are identical, it's just that it make
+ * sense to have rotate() and then rotateX() and rotateY() when using 3D;
+ * nor does it make sense to use a function called rotateZ() if you're only
+ * doing things in 2D. so we just decided to have them both be the same.
+ */
+ public void rotateZ(float angle) {
+ showMethodWarning("rotateZ");
+ }
+
+
+ /**
+ * Rotate about a vector in space. Same as the glRotatef() function.
+ */
+ public void rotate(float angle, float vx, float vy, float vz) {
+ showMissingWarning("rotate");
+ }
+
+
+ /**
+ * Scale in all dimensions.
+ */
+ public void scale(float s) {
+ showMissingWarning("scale");
+ }
+
+
+ /**
+ * Scale in X and Y. Equivalent to scale(sx, sy, 1).
+ *
+ * Not recommended for use in 3D, because the z-dimension is just
+ * scaled by 1, since there's no way to know what else to scale it by.
+ */
+ public void scale(float sx, float sy) {
+ showMissingWarning("scale");
+ }
+
+
+ /**
+ * Scale in X, Y, and Z.
+ */
+ public void scale(float x, float y, float z) {
+ showMissingWarning("scale");
+ }
+
+
+ //////////////////////////////////////////////////////////////
+
+ // MATRIX FULL MONTY
+
+
+ /**
+ * Set the current transformation matrix to identity.
+ */
+ public void resetMatrix() {
+ showMethodWarning("resetMatrix");
+ }
+
+
+ public void applyMatrix(PMatrix source) {
+ if (source instanceof PMatrix2D) {
+ applyMatrix((PMatrix2D) source);
+ } else if (source instanceof PMatrix3D) {
+ applyMatrix((PMatrix3D) source);
+ }
+ }
+
+
+ public void applyMatrix(PMatrix2D source) {
+ applyMatrix(source.m00, source.m01, source.m02,
+ source.m10, source.m11, source.m12);
+ }
+
+
+ /**
+ * Apply a 3x2 affine transformation matrix.
+ */
+ public void applyMatrix(float n00, float n01, float n02,
+ float n10, float n11, float n12) {
+ showMissingWarning("applyMatrix");
+ }
+
+
+ public void applyMatrix(PMatrix3D source) {
+ applyMatrix(source.m00, source.m01, source.m02, source.m03,
+ source.m10, source.m11, source.m12, source.m13,
+ source.m20, source.m21, source.m22, source.m23,
+ source.m30, source.m31, source.m32, source.m33);
+ }
+
+
+ /**
+ * Apply a 4x4 transformation matrix.
+ */
+ public void applyMatrix(float n00, float n01, float n02, float n03,
+ float n10, float n11, float n12, float n13,
+ float n20, float n21, float n22, float n23,
+ float n30, float n31, float n32, float n33) {
+ showMissingWarning("applyMatrix");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // MATRIX GET/SET/PRINT
+
+
+ public PMatrix getMatrix() {
+ showMissingWarning("getMatrix");
+ return null;
+ }
+
+
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
+ public PMatrix2D getMatrix(PMatrix2D target) {
+ showMissingWarning("getMatrix");
+ return null;
+ }
+
+
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
+ public PMatrix3D getMatrix(PMatrix3D target) {
+ showMissingWarning("getMatrix");
+ return null;
+ }
+
+
+ /**
+ * Set the current transformation matrix to the contents of another.
+ */
+ public void setMatrix(PMatrix source) {
+ if (source instanceof PMatrix2D) {
+ setMatrix((PMatrix2D) source);
+ } else if (source instanceof PMatrix3D) {
+ setMatrix((PMatrix3D) source);
+ }
+ }
+
+
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
+ public void setMatrix(PMatrix2D source) {
+ showMissingWarning("setMatrix");
+ }
+
+
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
+ public void setMatrix(PMatrix3D source) {
+ showMissingWarning("setMatrix");
+ }
+
+
+ /**
+ * Print the current model (or "transformation") matrix.
+ */
+ public void printMatrix() {
+ showMethodWarning("printMatrix");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // CAMERA
+
+
+ public void beginCamera() {
+ showMethodWarning("beginCamera");
+ }
+
+
+ public void endCamera() {
+ showMethodWarning("endCamera");
+ }
+
+
+ public void camera() {
+ showMissingWarning("camera");
+ }
+
+
+ public void camera(float eyeX, float eyeY, float eyeZ,
+ float centerX, float centerY, float centerZ,
+ float upX, float upY, float upZ) {
+ showMissingWarning("camera");
+ }
+
+
+ public void printCamera() {
+ showMethodWarning("printCamera");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // PROJECTION
+
+
+ public void ortho() {
+ showMissingWarning("ortho");
+ }
+
+
+ public void ortho(float left, float right,
+ float bottom, float top,
+ float near, float far) {
+ showMissingWarning("ortho");
+ }
+
+
+ public void perspective() {
+ showMissingWarning("perspective");
+ }
+
+
+ public void perspective(float fovy, float aspect, float zNear, float zFar) {
+ showMissingWarning("perspective");
+ }
+
+
+ public void frustum(float left, float right,
+ float bottom, float top,
+ float near, float far) {
+ showMethodWarning("frustum");
+ }
+
+
+ public void printProjection() {
+ showMethodWarning("printCamera");
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // SCREEN TRANSFORMS
+
+
+ /**
+ * Given an x and y coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenX(float x, float y) {
+ showMissingWarning("screenX");
+ return 0;
+ }
+
+
+ /**
+ * Given an x and y coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
+ public float screenY(float x, float y) {
+ showMissingWarning("screenY");
+ return 0;
+ }
+
+
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ * colorMode(HSB, 360, 100, 100);
+ * because the alpha values were still between 0 and 255.
+ */
+ public void colorMode(int mode, float maxX, float maxY, float maxZ) {
+ colorMode(mode, maxX, maxY, maxZ, colorModeA);
+ }
+
+
+ public void colorMode(int mode,
+ float maxX, float maxY, float maxZ, float maxA) {
+ colorMode = mode;
+
+ colorModeX = maxX; // still needs to be set for hsb
+ colorModeY = maxY;
+ colorModeZ = maxZ;
+ colorModeA = maxA;
+
+ // if color max values are all 1, then no need to scale
+ colorModeScale =
+ ((maxA != 1) || (maxX != maxY) || (maxY != maxZ) || (maxZ != maxA));
+
+ // if color is rgb/0..255 this will make it easier for the
+ // red() green() etc functions
+ colorModeDefault = (colorMode == RGB) &&
+ (colorModeA == 255) && (colorModeX == 255) &&
+ (colorModeY == 255) && (colorModeZ == 255);
+ }
+
+
+
+ //////////////////////////////////////////////////////////////
+
+ // COLOR CALCULATIONS
+
+ // Given input values for coloring, these functions will fill the calcXxxx
+ // variables with values that have been properly filtered through the
+ // current colorMode settings.
+
+ // Renderers that need to subclass any drawing properties such as fill or
+ // stroke will usally want to override methods like fillFromCalc (or the
+ // same for stroke, ambient, etc.) That way the color calcuations are
+ // covered by this based PGraphics class, leaving only a single function
+ // to override/implement in the subclass.
+
+
+ /**
+ * Set the fill to either a grayscale value or an ARGB int.
+ * size(256, 256);
+ * for (int i = 0; i < 256; i++) {
+ * color c = color(0, 0, 0, i);
+ * stroke(c);
+ * line(i, 0, i, 256);
+ * }
+ * ...on the first time through the loop, where (i == 0), since the color
+ * itself is zero (black) then it would appear indistinguishable from code
+ * that reads "fill(0)". The solution is to use the four parameter versions
+ * of stroke or fill to more directly specify the desired result.
+ */
+ protected void colorCalc(int rgb) {
+ if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
+ colorCalc((float) rgb);
+
+ } else {
+ colorCalcARGB(rgb, colorModeA);
+ }
+ }
+
+
+ protected void colorCalc(int rgb, float alpha) {
+ if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
+ colorCalc((float) rgb, alpha);
+
+ } else {
+ colorCalcARGB(rgb, alpha);
+ }
+ }
+
+
+ protected void colorCalc(float gray) {
+ colorCalc(gray, colorModeA);
+ }
+
+
+ protected void colorCalc(float gray, float alpha) {
+ if (gray > colorModeX) gray = colorModeX;
+ if (alpha > colorModeA) alpha = colorModeA;
+
+ if (gray < 0) gray = 0;
+ if (alpha < 0) alpha = 0;
+
+ calcR = colorModeScale ? (gray / colorModeX) : gray;
+ calcG = calcR;
+ calcB = calcR;
+ calcA = colorModeScale ? (alpha / colorModeA) : alpha;
+
+ calcRi = (int)(calcR*255); calcGi = (int)(calcG*255);
+ calcBi = (int)(calcB*255); calcAi = (int)(calcA*255);
+ calcColor = (calcAi << 24) | (calcRi << 16) | (calcGi << 8) | calcBi;
+ calcAlpha = (calcAi != 255);
+ }
+
+
+ protected void colorCalc(float x, float y, float z) {
+ colorCalc(x, y, z, colorModeA);
+ }
+
+
+ protected void colorCalc(float x, float y, float z, float a) {
+ if (x > colorModeX) x = colorModeX;
+ if (y > colorModeY) y = colorModeY;
+ if (z > colorModeZ) z = colorModeZ;
+ if (a > colorModeA) a = colorModeA;
+
+ if (x < 0) x = 0;
+ if (y < 0) y = 0;
+ if (z < 0) z = 0;
+ if (a < 0) a = 0;
+
+ switch (colorMode) {
+ case RGB:
+ if (colorModeScale) {
+ calcR = x / colorModeX;
+ calcG = y / colorModeY;
+ calcB = z / colorModeZ;
+ calcA = a / colorModeA;
+ } else {
+ calcR = x; calcG = y; calcB = z; calcA = a;
+ }
+ break;
+
+ case HSB:
+ x /= colorModeX; // h
+ y /= colorModeY; // s
+ z /= colorModeZ; // b
+
+ calcA = colorModeScale ? (a/colorModeA) : a;
+
+ if (y == 0) { // saturation == 0
+ calcR = calcG = calcB = z;
+
+ } else {
+ float which = (x - (int)x) * 6.0f;
+ float f = which - (int)which;
+ float p = z * (1.0f - y);
+ float q = z * (1.0f - y * f);
+ float t = z * (1.0f - (y * (1.0f - f)));
+
+ switch ((int)which) {
+ case 0: calcR = z; calcG = t; calcB = p; break;
+ case 1: calcR = q; calcG = z; calcB = p; break;
+ case 2: calcR = p; calcG = z; calcB = t; break;
+ case 3: calcR = p; calcG = q; calcB = z; break;
+ case 4: calcR = t; calcG = p; calcB = z; break;
+ case 5: calcR = z; calcG = p; calcB = q; break;
+ }
+ }
+ break;
+ }
+ calcRi = (int)(255*calcR); calcGi = (int)(255*calcG);
+ calcBi = (int)(255*calcB); calcAi = (int)(255*calcA);
+ calcColor = (calcAi << 24) | (calcRi << 16) | (calcGi << 8) | calcBi;
+ calcAlpha = (calcAi != 255);
+ }
+
+
+ /**
+ * Unpacks AARRGGBB color for direct use with colorCalc.
+ *
+ * A better name? showFrame, displayable, isVisible, visible, shouldDisplay,
+ * what to call this?
+ */
+ public boolean displayable() {
+ return true;
+ }
+
+
+ /**
+ * Return true if this renderer supports 2D drawing. Defaults to true.
+ */
+ public boolean is2D() {
+ return true;
+ }
+
+
+ /**
+ * Return true if this renderer supports 2D drawing. Defaults to true.
+ */
+ public boolean is3D() {
+ return false;
+ }
+}
diff --git a/core/methods/demo/PImage.java b/core/methods/demo/PImage.java
new file mode 100644
index 000000000..276617825
--- /dev/null
+++ b/core/methods/demo/PImage.java
@@ -0,0 +1,2862 @@
+/* -*- mode: java; c-basic-offset: 2; indent-tabs-mode: nil -*- */
+
+/*
+ Part of the Processing project - http://processing.org
+
+ Copyright (c) 2004-08 Ben Fry and Casey Reas
+ Copyright (c) 2001-04 Massachusetts Institute of Technology
+
+ This library is free software; you can redistribute it and/or
+ modify it under the terms of the GNU Lesser General Public
+ License as published by the Free Software Foundation; either
+ version 2.1 of the License, or (at your option) any later version.
+
+ This library is distributed in the hope that it will be useful,
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
+ Lesser General Public License for more details.
+
+ You should have received a copy of the GNU Lesser General
+ Public License along with this library; if not, write to the
+ Free Software Foundation, Inc., 59 Temple Place, Suite 330,
+ Boston, MA 02111-1307 USA
+*/
+
+package processing.core;
+
+import java.awt.image.*;
+import java.io.*;
+import java.util.HashMap;
+
+import javax.imageio.ImageIO;
+
+
+
+
+/**
+ * Datatype for storing images. Processing can display .gif, .jpg, .tga, and .png images. Images may be displayed in 2D and 3D space.
+ * Before an image is used, it must be loaded with the loadImage() function.
+ * The PImage object contains fields for the width and height of the image,
+ * as well as an array called pixels[] which contains the values for every pixel in the image.
+ * A group of methods, described below, allow easy access to the image's pixels and alpha channel and simplify the process of compositing.
+ *
Before using the pixels[] array, be sure to use the loadPixels() method on the image to make sure that the pixel data is properly loaded.
+ *
To create a new image, use the createImage() function (do not use new PImage()).
+ * =advanced
+ *
+ * Storage class for pixel data. This is the base class for most image and
+ * pixel information, such as PGraphics and the video library classes.
+ *
+ *
+ * All versions are RLE compressed.
+ *
+ * println(javax.imageio.ImageIO.getReaderFormatNames())
+ */
+ protected void saveImageIO(String path) throws IOException {
+ try {
+ BufferedImage bimage =
+ new BufferedImage(width, height, (format == ARGB) ?
+ BufferedImage.TYPE_INT_ARGB :
+ BufferedImage.TYPE_INT_RGB);
+ /*
+ Class bufferedImageClass =
+ Class.forName("java.awt.image.BufferedImage");
+ Constructor bufferedImageConstructor =
+ bufferedImageClass.getConstructor(new Class[] {
+ Integer.TYPE,
+ Integer.TYPE,
+ Integer.TYPE });
+ Field typeIntRgbField = bufferedImageClass.getField("TYPE_INT_RGB");
+ int typeIntRgb = typeIntRgbField.getInt(typeIntRgbField);
+ Field typeIntArgbField = bufferedImageClass.getField("TYPE_INT_ARGB");
+ int typeIntArgb = typeIntArgbField.getInt(typeIntArgbField);
+ Object bimage =
+ bufferedImageConstructor.newInstance(new Object[] {
+ new Integer(width),
+ new Integer(height),
+ new Integer((format == ARGB) ? typeIntArgb : typeIntRgb)
+ });
+ */
+
+ bimage.setRGB(0, 0, width, height, pixels, 0, width);
+ /*
+ Method setRgbMethod =
+ bufferedImageClass.getMethod("setRGB", new Class[] {
+ Integer.TYPE, Integer.TYPE,
+ Integer.TYPE, Integer.TYPE,
+ pixels.getClass(),
+ Integer.TYPE, Integer.TYPE
+ });
+ setRgbMethod.invoke(bimage, new Object[] {
+ new Integer(0), new Integer(0),
+ new Integer(width), new Integer(height),
+ pixels, new Integer(0), new Integer(width)
+ });
+ */
+
+ File file = new File(path);
+ String extension = path.substring(path.lastIndexOf('.') + 1);
+
+ ImageIO.write(bimage, extension, file);
+ /*
+ Class renderedImageClass =
+ Class.forName("java.awt.image.RenderedImage");
+ Class ioClass = Class.forName("javax.imageio.ImageIO");
+ Method writeMethod =
+ ioClass.getMethod("write", new Class[] {
+ renderedImageClass, String.class, File.class
+ });
+ writeMethod.invoke(null, new Object[] { bimage, extension, file });
+ */
+
+ } catch (Exception e) {
+ e.printStackTrace();
+ throw new IOException("image save failed.");
+ }
+ }
+
+
+ protected String[] saveImageFormats;
+
+ /**
+ * Saves the image into a file. Images are saved in TIFF, TARGA, JPEG, and PNG format depending on the extension within the filename parameter.
+ * For example, "image.tif" will have a TIFF image and "image.png" will save a PNG image.
+ * If no extension is included in the filename, the image will save in TIFF format and .tif will be added to the name.
+ * These files are saved to the sketch's folder, which may be opened by selecting "Show sketch folder" from the "Sketch" menu.
+ * It is not possible to use save() while running the program in a web browser.
+ * To save an image created within the code, rather than through loading, it's necessary to make the image with the createImage()
+ * function so it is aware of the location of the program and can therefore save the file to the right place.
+ * See the createImage() reference for more information.
+ *
+ * =advanced
+ * Save this image to disk.
+ *
+ * println(javax.imageio.ImageIO.getReaderFormatNames())
+ *
+ * static public void main(String[] args) {
+ * PApplet.useQuartz = "false";
+ * PApplet.main(new String[] { "YourSketch" });
+ * }
+ *
+ * This setting must be called before any AWT work happens, so that's why
+ * it's such a terrible hack in how it's employed here. Calling setProperty()
+ * inside setup() is a joke, since it's long since the AWT has been invoked.
+ */
+ static public String useQuartz = "true";
+
/**
* Modifier flags for the shortcut key used to trigger menus.
* (Cmd on Mac OS X, Ctrl on Linux and Windows)
@@ -247,8 +269,15 @@ public class PApplet extends Applet
* Note that this won't update if you change the resolution
* of your screen once the the applet is running.
*
Before accessing this array, the data must loaded with the loadPixels() function. After the array data has been modified, the updatePixels() function must be run to update the changes. Without loadPixels(), running the code may (or will in future releases) result in a NullPointerException.
* Pixel buffer from this applet's PGraphics.
* Advanced:
* If running on Mac OS, a ctrl-click will be interpreted as
* the righthand mouse button (unlike Java, which reports it as
* the left mouse).
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
*/
public int mouseButton;
+ /**
+ * Variable storing if a mouse button is pressed. The value of the system variable mousePressed is true if a mouse button is pressed and false if a button is not pressed.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
+ */
public boolean mousePressed;
public MouseEvent mouseEvent;
/**
+ * The system variable key always contains the value of the most recent key on the keyboard that was used (either pressed or released).
+ * For non-ASCII keys, use the keyCode variable.
+ * The keys included in the ASCII specification (BACKSPACE, TAB, ENTER, RETURN, ESC, and DELETE) do not require checking to see if they key is coded, and you should simply use the key variable instead of keyCode
+ * If you're making cross-platform projects, note that the ENTER key is commonly used on PCs and Unix and the RETURN key is used instead on Macintosh.
+ * Check for both ENTER and RETURN to make sure your program will work for all platforms.
+ * =advanced
+ *
* Last key pressed.
*
The keys included in the ASCII specification (BACKSPACE, TAB, ENTER, RETURN, ESC, and DELETE) do not require checking to see if they key is coded, and you should simply use the key variable instead of keyCode
+ * If you're making cross-platform projects, note that the ENTER key is commonly used on PCs and Unix and the RETURN key is used instead on Macintosh.
+ * Check for both ENTER and RETURN to make sure your program will work for all platforms.
+ *
For users familiar with Java, the values for UP and DOWN are simply shorter versions of Java's KeyEvent.VK_UP and KeyEvent.VK_DOWN.
+ * Other keyCode values can be found in the Java KeyEvent reference.
+ *
+ * =advanced
* When "key" is set to CODED, this will contain a Java key code.
*
+ * Do not use variables as the parameters to size() command, because it will cause problems when exporting your sketch. When variables are used, the dimensions of your sketch cannot be determined during export. Instead, employ numeric values in the size() statement, and then use the built-in width and height variables inside your program when you need the dimensions of the display window are needed.
+ * The MODE parameters selects which rendering engine to use. For example, if you will be drawing 3D shapes for the web use P3D, if you want to export a program with OpenGL graphics acceleration use OPENGL. A brief description of the four primary renderers follows:
JAVA2D - The default renderer. This renderer supports two dimensional drawing and provides higher image quality in overall, but generally slower than P2D.
P2D (Processing 2D) - Fast 2D renderer, best used with pixel data, but not as accurate as the JAVA2D default.
P3D (Processing 3D) - Fast 3D renderer for the web. Sacrifices rendering quality for quick 3D drawing.
OPENGL - High speed 3D graphics renderer that makes use of OpenGL-compatible graphics hardware is available. Keep in mind that OpenGL is not magic pixie dust that makes any sketch faster (though it's close), so other rendering options may produce better results depending on the nature of your code. Also note that with OpenGL, all graphics are smoothed: the smooth() and noSmooth() commands are ignored.
PDF - The PDF renderer draws 2D graphics directly to an Acrobat PDF file. This produces excellent results when you need vector shapes for high resolution output or printing. You must first use Import Library → PDF to make use of the library. More information can be found in the PDF library reference.
+ * If you're manipulating pixels (using methods like get() or blend(), or manipulating the pixels[] array), P2D and P3D will usually be faster than the default (JAVA2D) setting, and often the OPENGL setting as well. Similarly, when handling lots of images, or doing video playback, P2D and P3D will tend to be faster.
+ * The P2D, P3D, and OPENGL renderers do not support strokeCap() or strokeJoin(), which can lead to ugly results when using strokeWeight(). (Bug 955)
+ * For the most elegant and accurate results when drawing in 2D, particularly when using smooth(), use the JAVA2D renderer setting. It may be slower than the others, but is the most complete, which is why it's the default. Advanced users will want to switch to other renderers as they learn the tradeoffs.
+ * Rendering graphics requires tradeoffs between speed, accuracy, and general usefulness of the available features. None of the renderers are perfect, so we provide multiple options so that you can decide what tradeoffs make the most sense for your project. We'd prefer all of them to have perfect visual accuracy, high performance, and support a wide range of features, but that's simply not possible.
+ * The maximum width and height is limited by your operating system, and is usually the width and height of your actual screen. On some machines it may simply be the number of pixels on your current screen, meaning that a screen that's 800x600 could support size(1600, 300), since it's the same number of pixels. This varies widely so you'll have to try different rendering modes and sizes until you get what you're looking for. If you need something larger, use createGraphics to create a non-visible drawing surface.
+ *
Again, the size() method must be the first line of the code (or first item inside setup). Any code that appears before the size() command may run more than once, which can lead to confusing results.
+ *
+ * =advanced
* Starts up and creates a two-dimensional drawing surface,
* or resizes the current drawing surface.
*
It's important to call any drawing commands between beginDraw() and endDraw() statements. This is also true for any commands that affect drawing, such as smooth() or colorMode().
+ *
Unlike the main drawing surface which is completely opaque, surfaces created with createGraphics() can have transparency. This makes it possible to draw into a graphics and maintain the alpha channel. By using save() to write a PNG or TGA file, the transparency of the graphics object will be honored. Note that transparency levels are binary: pixels are either complete opaque or transparent. For the time being (as of release 0127), this means that text characters will be opaque blocks. This will be fixed in a future release (Bug 641).
+ *
+ * =advanced
* Create an offscreen PGraphics object for drawing. This can be used
* for bitmap or vector images drawing or rendering.
*
@@ -1063,6 +1212,14 @@ public class PApplet extends Applet
* background information can be found in the developer's reference for
* PImage.save().
*
+ *
+ * @webref rendering
+ * @param iwidth width in pixels
+ * @param iheight height in pixels
+ * @param irenderer Either P2D (not yet implemented), P3D, JAVA2D, PDF, DXF
+ *
+ * @see processing.core.PGraphics
+ *
*/
public PGraphics createGraphics(int iwidth, int iheight,
String irenderer) {
@@ -1075,7 +1232,7 @@ public class PApplet extends Applet
/**
* Create an offscreen graphics surface for drawing, in this case
* for a renderer that writes to a file (such as PDF or DXF).
- * @param ipath can be an absolute or relative path
+ * @param ipath the name of the file (can be an absolute or relative path)
*/
public PGraphics createGraphics(int iwidth, int iheight,
String irenderer, String ipath) {
@@ -1219,9 +1376,21 @@ public class PApplet extends Applet
/**
+ * Creates a new PImage (the datatype for storing images). This provides a fresh buffer of pixels to play with. Set the size of the buffer with the width and height parameters. The format parameter defines how the pixels are stored. See the PImage reference for more information.
+ *
Be sure to include all three parameters, specifying only the width and height (but no format) will produce a strange error.
+ *
Advanced users please note that createImage() should be used instead of the syntax new PImage().
+ * =advanced
* Preferred method of creating new PImage objects, ensures that a
* reference to the parent PApplet is included, which makes save() work
* without needing an absolute path.
+ *
+ * @webref image
+ * @param wide width in pixels
+ * @param high height in pixels
+ * @param format Either RGB, ARGB, ALPHA (grayscale alpha channel)
+ *
+ * @see processing.core.PImage
+ * @see processing.core.PGraphics
*/
public PImage createImage(int wide, int high, int format) {
PImage image = new PImage(wide, high, format);
@@ -1678,35 +1847,75 @@ public class PApplet extends Applet
/**
- * Mouse has been pressed, and should be considered "down"
- * until mouseReleased() is called. If you must, use
+ * The mousePressed() function is called once after every time a mouse button is pressed. The mouseButton variable (see the related reference entry) can be used to determine which button has been pressed.
+ * =advanced
+ *
+ * If you must, use
* int button = mouseEvent.getButton();
* to figure out which button was clicked. It will be one of:
* MouseEvent.BUTTON1, MouseEvent.BUTTON2, MouseEvent.BUTTON3
* Note, however, that this is completely inconsistent across
* platforms.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
*/
public void mousePressed() { }
/**
- * Mouse button has been released.
+ * The mouseReleased() function is called every time a mouse button is released.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
*/
public void mouseReleased() { }
/**
+ * The mouseClicked() function is called once after a mouse button has been pressed and then released.
+ * =advanced
* When the mouse is clicked, mousePressed() will be called,
* then mouseReleased(), then mouseClicked(). Note that
* mousePressed is already false inside of mouseClicked().
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mouseButton
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
+ * @see PApplet#mouseDragged()
*/
public void mouseClicked() { }
/**
- * Mouse button is pressed and the mouse has been dragged.
+ * The mouseDragged() function is called once every time the mouse moves and a mouse button is pressed.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseMoved()
*/
public void mouseDragged() { }
/**
- * Mouse button is not pressed but the mouse has changed locations.
+ * The mouseMoved() function is called every time the mouse moves and a mouse button is not pressed.
+ * @webref input:mouse
+ * @see PApplet#mouseX
+ * @see PApplet#mouseY
+ * @see PApplet#mousePressed
+ * @see PApplet#mousePressed()
+ * @see PApplet#mouseReleased()
+ * @see PApplet#mouseDragged()
*/
public void mouseMoved() { }
@@ -1801,6 +2010,15 @@ public class PApplet extends Applet
/**
+ *
+ * The keyPressed() function is called once every time a key is pressed. The key that was pressed is stored in the key variable.
+ *
For non-ASCII keys, use the keyCode variable.
+ * The keys included in the ASCII specification (BACKSPACE, TAB, ENTER, RETURN, ESC, and DELETE) do not require checking to see if they key is coded, and you should simply use the key variable instead of keyCode
+ * If you're making cross-platform projects, note that the ENTER key is commonly used on PCs and Unix and the RETURN key is used instead on Macintosh.
+ * Check for both ENTER and RETURN to make sure your program will work for all platforms.
Because of how operating systems handle key repeats, holding down a key may cause multiple calls to keyPressed() (and keyReleased() as well).
+ * The rate of repeat is set by the operating system and how each computer is configured.
+ * =advanced
+ *
* Called each time a single key on the keyboard is pressed.
* Because of how operating systems handle key repeats, holding
* down a key will cause multiple calls to keyPressed(), because
@@ -1846,12 +2064,23 @@ public class PApplet extends Applet
* Java 1.1 (Microsoft VM) passes the TAB key through normally.
* Not tested on other platforms or for 1.3.
*
+ * @see PApplet#key
+ * @see PApplet#keyCode
+ * @see PApplet#keyPressed
+ * @see PApplet#keyReleased()
+ * @webref input:keyboard
*/
public void keyPressed() { }
/**
- * See keyPressed().
+ * The keyReleased() function is called once every time a key is released. The key that was released will be stored in the key variable. See key and keyReleased for more information.
+ *
+ * @see PApplet#key
+ * @see PApplet#keyCode
+ * @see PApplet#keyPressed
+ * @see PApplet#keyPressed()
+ * @webref input:keyboard
*/
public void keyReleased() { }
@@ -1892,48 +2121,108 @@ public class PApplet extends Applet
/**
- * Get the number of milliseconds since the applet started.
+ * Returns the number of milliseconds (thousandths of a second) since starting an applet. This information is often used for timing animation sequences.
+ *
+ * =advanced
*
* int yankeeHour = (hour() % 12);
* if (yankeeHour == 0) yankeeHour = 12;
+ *
+ * @webref input:time_date
+ * @see processing.core.PApplet#millis()
+ * @see processing.core.PApplet#second()
+ * @see processing.core.PApplet#minute()
+ * @see processing.core.PApplet#day()
+ * @see processing.core.PApplet#month()
+ * @see processing.core.PApplet#year()
+ *
*/
static public int hour() {
return Calendar.getInstance().get(Calendar.HOUR_OF_DAY);
}
/**
+ * Processing communicates with the clock on your computer. The day() function returns the current day as a value from 1 - 31.
+ * =advanced
* Get the current day of the month (1 through 31).
* open(new String[] { "firefox", url });
* or whatever you want as your browser, since Linux doesn't
* yet have a standard method for launching URLs.
+ *
+ * @webref input:web
+ * @param url complete url as a String in quotes
+ * @param frameTitle name of the window to load the URL as a string in quotes
+ *
*/
public void link(String url, String frameTitle) {
if (online) {
@@ -2076,9 +2404,12 @@ public class PApplet extends Applet
} else if (platform == MACOSX) {
//com.apple.mrj.MRJFileUtils.openURL(url);
try {
- Class> mrjFileUtils = Class.forName("com.apple.mrj.MRJFileUtils");
+// Class> mrjFileUtils = Class.forName("com.apple.mrj.MRJFileUtils");
+// Method openMethod =
+// mrjFileUtils.getMethod("openURL", new Class[] { String.class });
+ Class> eieio = Class.forName("com.apple.eio.FileManager");
Method openMethod =
- mrjFileUtils.getMethod("openURL", new Class[] { String.class });
+ eieio.getMethod("openURL", new Class[] { String.class });
openMethod.invoke(null, new Object[] { url });
} catch (Exception e) {
e.printStackTrace();
@@ -2097,7 +2428,19 @@ public class PApplet extends Applet
/**
- * Attempt to open a file using the platform's shell.
+ * Attempts to open an application or file using your platform's launcher. The file parameter is a String specifying the file name and location. The location parameter must be a full path name, or the name of an executable in the system's PATH. In most cases, using a full path is the best option, rather than relying on the system PATH. Be sure to make the file executable before attempting to open it (chmod +x).
+ *
+ * The args parameter is a String or String array which is passed to the command line. If you have multiple parameters, e.g. an application and a document, or a command with multiple switches, use the version that takes a String array, and place each individual item in a separate element.
+ *
+ * If args is a String (not an array), then it can only be a single file or application with no parameters. It's not the same as executing that String using a shell. For instance, open("jikes -help") will not work properly.
+ *
+ * This function behaves differently on each platform. On Windows, the parameters are sent to the Windows shell via "cmd /c". On Mac OS X, the "open" command is used (type "man open" in Terminal.app for documentation). On Linux, it first tries gnome-open, then kde-open, but if neither are available, it sends the command to the shell without any alterations.
+ *
+ * For users familiar with Java, this is not quite the same as Runtime.exec(), because the launcher command is prepended. Instead, the exec(String[]) function is a shortcut for Runtime.getRuntime.exec(String[]).
+ *
+ * @webref input:files
+ * @param filename name of the file
+ * @usage Application
*/
static public void open(String filename) {
open(new String[] { filename });
@@ -2111,6 +2454,8 @@ public class PApplet extends Applet
* to make it easier to deal with spaces in the individual elements.
* (This avoids the situation of trying to put single or double quotes
* around different bits).
+ *
+ * @param list of commands passed to the command line
*/
static public Process open(String argv[]) {
String[] params = null;
@@ -2397,6 +2742,7 @@ public class PApplet extends Applet
/**
* Set the cursor type
+ * @param cursorType either ARROW, CROSS, HAND, MOVE, TEXT, WAIT
*/
public void cursor(int cursorType) {
setCursor(Cursor.getPredefinedCursor(cursorType));
@@ -2415,6 +2761,11 @@ public class PApplet extends Applet
/**
+ * Sets the cursor to a predefined symbol, an image, or turns it on if already hidden.
+ * If you are trying to set an image as the cursor, it is recommended to make the size 16x16 or 32x32 pixels.
+ * It is not possible to load an image as the cursor if you are exporting your program for the Web.
+ * The values for parameters x and y must be less than the dimensions of the image.
+ * =advanced
* Set a custom cursor to an image with a specific hotspot.
* Only works with JDK 1.2 and later.
* Currently seems to be broken on Java 1.4 for Mac OS X
@@ -2422,6 +2773,11 @@ public class PApplet extends Applet
* Based on code contributed by Amit Pitaru, plus additional
* code to handle Java versions via reflection by Jonathan Feinberg.
* Reflection removed for release 0128 and later.
+ * @webref environment
+ * @see PApplet#noCursor()
+ * @param image any variable of type PImage
+ * @param hotspotX the horizonal active spot of the cursor
+ * @param hotspotY the vertical active spot of the cursor
*/
public void cursor(PImage image, int hotspotX, int hotspotY) {
// don't set this as cursor type, instead use cursor_type
@@ -2455,8 +2811,13 @@ public class PApplet extends Applet
/**
+ * Hides the cursor from view. Will not work when running the program in a web browser.
+ * =advanced
* Hide the cursor by creating a transparent image
* and using it as a custom cursor.
+ * @webref environment
+ * @see PApplet#cursor()
+ * @usage Application
*/
public void noCursor() {
if (!cursorVisible) return; // don't hide if already hidden.
@@ -3229,12 +3590,27 @@ public class PApplet extends Applet
/**
+ * Loads an image into a variable of type PImage. Four types of images ( .gif, .jpg, .tga, .png) images may be loaded. To load correctly, images must be located in the data directory of the current sketch. In most cases, load all images in setup() to preload them at the start of the program. Loading images inside draw() will reduce the speed of a program.
+ *
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
The extension parameter is used to determine the image type in cases where the image filename does not end with a proper extension. Specify the extension as the second parameter to loadImage(), as shown in the third example on this page.
+ *
If an image is not loaded successfully, the null value is returned and an error message will be printed to the console. The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned from loadImage() is null.
Depending on the type of error, a PImage object may still be returned, but the width and height of the image will be set to -1. This happens if bad image data is returned or cannot be decoded properly. Sometimes this happens with image URLs that produce a 403 error or that redirect to a password prompt, because loadImage() will attempt to interpret the HTML as image data.
+ *
+ * =advanced
* Identical to loadImage, but allows you to specify the type of
* image by its extension. Especially useful when downloading from
* CGI scripts.
*
* Use 'unknown' as the extension to pass off to the default
* image loader that handles gif, jpg, and png.
+ *
+ * @webref image:loading_displaying
+ * @param filename name of file to load, can be .gif, .jpg, .tga, or a handful of other image types depending on your platform.
+ * @param extension the type of image to load, for example "png", "gif", "jpg"
+ *
+ * @see processing.core.PImage
+ * @see processing.core.PApplet#image(PImage, float, float, float, float)
+ * @see processing.core.PApplet#imageMode(int)
+ * @see processing.core.PApplet#background(float, float, float)
*/
public PImage loadImage(String filename, String extension) {
if (extension == null) {
@@ -3315,12 +3691,22 @@ public class PApplet extends Applet
return null;
}
-
public PImage requestImage(String filename) {
return requestImage(filename, null);
}
+ /**
+ * This function load images on a separate thread so that your sketch does not freeze while images load during setup(). While the image is loading, its width and height will be 0. If an error occurs while loading the image, its width and height will be set to -1. You'll know when the image has loaded properly because its width and height will be greater than 0. Asynchronous image loading (particularly when downloading from a server) can dramatically improve performance.
+ * The extension parameter is used to determine the image type in cases where the image filename does not end with a proper extension. Specify the extension as the second parameter to requestImage().
+ *
+ * @webref image:loading_displaying
+ * @param filename name of file to load, can be .gif, .jpg, .tga, or a handful of other image types depending on your platform
+ * @param extension the type of image to load, for example "png", "gif", "jpg"
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ */
public PImage requestImage(String filename, String extension) {
PImage vessel = createImage(0, 0, ARGB);
AsyncImageLoader ail =
@@ -3638,7 +4024,21 @@ public class PApplet extends Applet
/**
- * Load a geometry from a file as a PShape. Currently only supports SVG data.
+ * Loads vector shapes into a variable of type PShape. Currently, only SVG files may be loaded.
+ * To load correctly, the file must be located in the data directory of the current sketch.
+ * In most cases, loadShape() should be used inside setup() because loading shapes inside draw() will reduce the speed of a sketch.
+ *
+ * The filename parameter can also be a URL to a file found online.
+ * For security reasons, a Processing sketch found online can only download files from the same server from which it came.
+ * Getting around this restriction requires a signed applet.
+ *
+ * If a shape is not loaded successfully, the null value is returned and an error message will be printed to the console.
+ * The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned from loadShape() is null.
+ *
+ * @webref shape:loading_displaying
+ * @see PShape
+ * @see PApplet#shape(PShape)
+ * @see PApplet#shapeMode(int)
*/
public PShape loadShape(String filename) {
if (filename.toLowerCase().endsWith(".svg")) {
@@ -3668,13 +4068,25 @@ public class PApplet extends Applet
}
+ /**
+ * Used by PGraphics to remove the requirement for loading a font!
+ */
+ protected PFont createDefaultFont(float size) {
+// Font f = new Font("SansSerif", Font.PLAIN, 12);
+// println("n: " + f.getName());
+// println("fn: " + f.getFontName());
+// println("ps: " + f.getPSName());
+ return createFont("SansSerif", size, true, null);
+ }
+
+
public PFont createFont(String name, float size) {
- return createFont(name, size, true, PFont.DEFAULT_CHARSET);
+ return createFont(name, size, true, null);
}
public PFont createFont(String name, float size, boolean smooth) {
- return createFont(name, size, smooth, PFont.DEFAULT_CHARSET);
+ return createFont(name, size, smooth, null);
}
@@ -3683,8 +4095,8 @@ public class PApplet extends Applet
* installed on the system, or from a .ttf or .otf that's inside
* the data folder of this sketch.
*
- * Only works with Java 1.3 or later. Many .otf fonts don't seem
- * to be supported by Java, perhaps because they're CFF based?
+ * Many .otf fonts don't seem to be supported by Java, perhaps because
+ * they're CFF based?
*
* Font names are inconsistent across platforms and Java versions.
* On Mac OS X, Java 1.3 uses the font menu name of the font,
@@ -3693,9 +4105,9 @@ public class PApplet extends Applet
* it appears that only the menu names are used, no matter what
* Java version is in use. Naming system unknown/untested for 1.5.
*
- * Use 'null' for the charset if you want to use any of the 65,536
- * unicode characters that exist in the font. Note that this can
- * produce an enormous file or may cause an OutOfMemoryError.
+ * Use 'null' for the charset if you want to dynamically create
+ * character bitmaps only as they're needed. (Version 1.0.9 and
+ * earlier would interpret null as all unicode characters.)
*/
public PFont createFont(String name, float size,
boolean smooth, char charset[]) {
@@ -3703,8 +4115,9 @@ public class PApplet extends Applet
Font baseFont = null;
try {
+ InputStream stream = null;
if (lowerName.endsWith(".otf") || lowerName.endsWith(".ttf")) {
- InputStream stream = createInput(name);
+ stream = createInput(name);
if (stream == null) {
System.err.println("The font \"" + name + "\" " +
"is missing or inaccessible, make sure " +
@@ -3715,14 +4128,16 @@ public class PApplet extends Applet
baseFont = Font.createFont(Font.TRUETYPE_FONT, createInput(name));
} else {
- //baseFont = new Font(name, Font.PLAIN, 1);
baseFont = PFont.findFont(name);
}
+ return new PFont(baseFont.deriveFont(size), smooth, charset,
+ stream != null);
+
} catch (Exception e) {
- System.err.println("Problem using createFont() with " + name);
+ System.err.println("Problem createFont(" + name + ")");
e.printStackTrace();
+ return null;
}
- return new PFont(baseFont.deriveFont(size), smooth, charset);
}
@@ -3764,9 +4179,14 @@ public class PApplet extends Applet
/**
- * Open a platform-specific file chooser dialog to select a file for input.
- * @param prompt Mesage to show the user when prompting for a file.
+ * Opens a platform-specific file chooser dialog to select a file for input. This function returns the full path to the selected file as a String, or null if no selection.
+ *
+ * @webref input:files
+ * @param prompt message you want the user to see in the file chooser
* @return full path to the selected file, or null if canceled.
+ *
+ * @see processing.core.PApplet#selectOutput(String)
+ * @see processing.core.PApplet#selectFolder(String)
*/
public String selectInput(String prompt) {
return selectFileImpl(prompt, FileDialog.LOAD);
@@ -3783,9 +4203,17 @@ public class PApplet extends Applet
/**
- * Open a platform-specific file save dialog to select a file for output.
- * @param prompt Mesage to show the user when prompting for a file.
+ * Open a platform-specific file save dialog to create of select a file for output.
+ * This function returns the full path to the selected file as a String, or null if no selection.
+ * If you select an existing file, that file will be replaced.
+ * Alternatively, you can navigate to a folder and create a new file to write to.
+ *
+ * @param prompt message you want the user to see in the file chooser
* @return full path to the file entered, or null if canceled.
+ *
+ * @webref input:files
+ * @see processing.core.PApplet#selectInput(String)
+ * @see processing.core.PApplet#selectFolder(String)
*/
public String selectOutput(String prompt) {
return selectFileImpl(prompt, FileDialog.SAVE);
@@ -3816,19 +4244,21 @@ public class PApplet extends Applet
}
- /**
- * Open a platform-specific folder chooser dialog.
- * @return full path to the selected folder, or null if no selection.
- */
public String selectFolder() {
return selectFolder("Select a folder...");
}
/**
- * Open a platform-specific folder chooser dialog.
- * @param prompt Mesage to show the user when prompting for a file.
+ * Opens a platform-specific file chooser dialog to select a folder for input.
+ * This function returns the full path to the selected folder as a String, or null if no selection.
+ *
+ * @webref input:files
+ * @param prompt message you want the user to see in the file chooser
* @return full path to the selected folder, or null if no selection.
+ *
+ * @see processing.core.PApplet#selectOutput(String)
+ * @see processing.core.PApplet#selectInput(String)
*/
public String selectFolder(final String prompt) {
checkParentFrame();
@@ -3997,6 +4427,18 @@ public class PApplet extends Applet
/**
+ * This is a method for advanced programmers to open a Java InputStream. The method is useful if you want to use the facilities provided by PApplet to easily open files from the data folder or from a URL, but want an InputStream object so that you can use other Java methods to take more control of how the stream is read.
+ *
If the requested item doesn't exist, null is returned.
+ *
In earlier releases, this method was called openStream().
+ *
If not online, this will also check to see if the user is asking for a file whose name isn't properly capitalized. If capitalization is different an error will be printed to the console. This helps prevent issues that appear when a sketch is exported to the web, where case sensitivity matters, as opposed to running from inside the Processing Development Environment on Windows or Mac OS, where case sensitivity is preserved but ignored.
+ *
The filename passed in can be:
+ * - A URL, for instance openStream("http://processing.org/");
+ * - A file in the sketch's data folder
+ * - The full path to a file to be opened locally (when running as an application)
+ *
+ * If the file ends with .gz, the stream will automatically be gzip decompressed. If you don't want the automatic decompression, use the related function createInputRaw().
+ *
+ * =advanced
* Simplified method to open a Java InputStream.
*
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
+ * @webref input:files
+ * @param filename name of a file in the data folder or a URL.
+ *
+ * @see processing.core.PApplet#loadStrings(String)
+ * @see processing.core.PApplet#saveStrings(String, String[])
+ * @see processing.core.PApplet#saveBytes(String, byte[])
+ *
+ */
public byte[] loadBytes(String filename) {
InputStream is = createInput(filename);
if (is != null) return loadBytes(is);
@@ -4247,6 +4709,12 @@ public class PApplet extends Applet
/**
+ * Reads the contents of a file or url and creates a String array of its individual lines. If a file is specified, it must be located in the sketch's "data" directory/folder.
+ *
The filename parameter can also be a URL to a file found online. For security reasons, a Processing sketch found online can only download files from the same server from which it came. Getting around this restriction requires a signed applet.
+ *
If the file is not available or an error occurs, null will be returned and an error message will be printed to the console. The error message does not halt the program, however the null value may cause a NullPointerException if your code does not check whether the value returned is null.
+ *
Starting with Processing release 0134, all files loaded and saved by the Processing API use UTF-8 encoding. In previous releases, the default encoding for your platform was used, which causes problems when files are moved to other platforms.
+ *
+ * =advanced
* Load data from a file and shove it into a String array.
*
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ * =advanced
* Override the g.pixels[] function to set the pixels[] array
* that's part of the PApplet object. Allows the use of
* pixels[] in the code, rather than g.pixels[].
+ *
+ * @webref image:pixels
+ * @see processing.core.PApplet#pixels
+ * @see processing.core.PApplet#updatePixels()
*/
public void loadPixels() {
g.loadPixels();
pixels = g.pixels;
}
-
+ /**
+ * Updates the display window with the data in the pixels[] array. Use in conjunction with loadPixels(). If you're only reading pixels from the array, there's no need to call updatePixels() unless there are changes.
+ *
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ *
Currently, none of the renderers use the additional parameters to updatePixels(), however this may be implemented in the future.
+ *
+ * @webref image:pixels
+ *
+ * @see processing.core.PApplet#loadPixels()
+ * @see processing.core.PApplet#updatePixels()
+ *
+ */
public void updatePixels() {
g.updatePixels();
}
@@ -6955,7 +7461,10 @@ public class PApplet extends Applet
//////////////////////////////////////////////////////////////
- // everything below this line is automatically generated. no touch.
+ // EVERYTHING BELOW THIS LINE IS AUTOMATICALLY GENERATED. DO NOT TOUCH!
+ // This includes the Javadoc comments, which are automatically copied from
+ // the PImage and PGraphics source code files.
+
// public functions for processing.core
@@ -6965,42 +7474,114 @@ public class PApplet extends Applet
}
+ /**
+ * Set various hints and hacks for the renderer. This is used to handle obscure rendering features that cannot be implemented in a consistent manner across renderers. Many options will often graduate to standard features instead of hints over time.
+ *
hint(ENABLE_OPENGL_4X_SMOOTH) - Enable 4x anti-aliasing for OpenGL. This can help force anti-aliasing if it has not been enabled by the user. On some graphics cards, this can also be set by the graphics driver's control panel, however not all cards make this available. This hint must be called immediately after the size() command because it resets the renderer, obliterating any settings and anything drawn (and like size(), re-running the code that came before it again).
+ *
hint(DISABLE_OPENGL_2X_SMOOTH) - In Processing 1.0, Processing always enables 2x smoothing when the OpenGL renderer is used. This hint disables the default 2x smoothing and returns the smoothing behavior found in earlier releases, where smooth() and noSmooth() could be used to enable and disable smoothing, though the quality was inferior.
+ *
hint(ENABLE_NATIVE_FONTS) - Use the native version fonts when they are installed, rather than the bitmapped version from a .vlw file. This is useful with the JAVA2D renderer setting, as it will improve font rendering speed. This is not enabled by default, because it can be misleading while testing because the type will look great on your machine (because you have the font installed) but lousy on others' machines if the identical font is unavailable. This option can only be set per-sketch, and must be called before any use of textFont().
+ *
hint(DISABLE_DEPTH_TEST) - Disable the zbuffer, allowing you to draw on top of everything at will. When depth testing is disabled, items will be drawn to the screen sequentially, like a painting. This hint is most often used to draw in 3D, then draw in 2D on top of it (for instance, to draw GUI controls in 2D on top of a 3D interface). Starting in release 0149, this will also clear the depth buffer. Restore the default with hint(ENABLE_DEPTH_TEST), but note that with the depth buffer cleared, any 3D drawing that happens later in draw() will ignore existing shapes on the screen.
+ *
hint(ENABLE_DEPTH_SORT) - Enable primitive z-sorting of triangles and lines in P3D and OPENGL. This can slow performance considerably, and the algorithm is not yet perfect. Restore the default with hint(DISABLE_DEPTH_SORT).
+ *
hint(DISABLE_OPENGL_ERROR_REPORT) - Speeds up the OPENGL renderer setting by not checking for errors while running. Undo with hint(ENABLE_OPENGL_ERROR_REPORT).
+ *
As of release 0149, unhint() has been removed in favor of adding additional ENABLE/DISABLE constants to reset the default behavior. This prevents the double negatives, and also reinforces which hints can be enabled or disabled.
+ *
+ * @webref rendering
+ * @param which name of the hint to be enabled or disabled
+ *
+ * @see processing.core.PGraphics
+ * @see processing.core.PApplet#createGraphics(int, int, String, String)
+ * @see processing.core.PApplet#size(int, int)
+ */
public void hint(int which) {
if (recorder != null) recorder.hint(which);
g.hint(which);
}
+ /**
+ * Start a new shape of type POLYGON
+ */
public void beginShape() {
if (recorder != null) recorder.beginShape();
g.beginShape();
}
+ /**
+ * Start a new shape.
+ *
Due to what appears to be a bug in Apple's Java implementation,
+ * the point() and set() methods are extremely slow in some circumstances
+ * when used with the default renderer. Using P2D or P3D will fix the
+ * problem. Grouping many calls to point() or set() together can also
+ * help. (Bug 1094)
+ *
+ * @webref shape:2d_primitives
+ * @param x x-coordinate of the point
+ * @param y y-coordinate of the point
+ * @param z z-coordinate of the point
+ *
+ * @see PGraphics#beginShape()
+ */
public void point(float x, float y, float z) {
if (recorder != null) recorder.point(x, y, z);
g.point(x, y, z);
@@ -7101,6 +7708,31 @@ public class PApplet extends Applet
}
+ /**
+ * Draws a line (a direct path between two points) to the screen.
+ * The version of line() with four parameters draws the line in 2D.
+ * To color a line, use the stroke() function. A line cannot be
+ * filled, therefore the fill() method will not affect the color
+ * of a line. 2D lines are drawn with a width of one pixel by default,
+ * but this can be changed with the strokeWeight() function.
+ * The version with six parameters allows the line to be placed anywhere
+ * within XYZ space. Drawing this shape in 3D using the z parameter
+ * requires the P3D or OPENGL parameter in combination with size as shown
+ * in the above example.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first point
+ * @param y1 y-coordinate of the first point
+ * @param z1 z-coordinate of the first point
+ * @param x2 x-coordinate of the second point
+ * @param y2 y-coordinate of the second point
+ * @param z2 z-coordinate of the second point
+ *
+ * @see PGraphics#strokeWeight(float)
+ * @see PGraphics#strokeJoin(int)
+ * @see PGraphics#strokeCap(int)
+ * @see PGraphics#beginShape()
+ */
public void line(float x1, float y1, float z1,
float x2, float y2, float z2) {
if (recorder != null) recorder.line(x1, y1, z1, x2, y2, z2);
@@ -7108,6 +7740,21 @@ public class PApplet extends Applet
}
+ /**
+ * A triangle is a plane created by connecting three points. The first two
+ * arguments specify the first point, the middle two arguments specify
+ * the second point, and the last two arguments specify the third point.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first point
+ * @param y1 y-coordinate of the first point
+ * @param x2 x-coordinate of the second point
+ * @param y2 y-coordinate of the second point
+ * @param x3 x-coordinate of the third point
+ * @param y3 y-coordinate of the third point
+ *
+ * @see PApplet#beginShape()
+ */
public void triangle(float x1, float y1, float x2, float y2,
float x3, float y3) {
if (recorder != null) recorder.triangle(x1, y1, x2, y2, x3, y3);
@@ -7115,6 +7762,24 @@ public class PApplet extends Applet
}
+ /**
+ * A quad is a quadrilateral, a four sided polygon. It is similar to
+ * a rectangle, but the angles between its edges are not constrained
+ * ninety degrees. The first pair of parameters (x1,y1) sets the
+ * first vertex and the subsequent pairs should proceed clockwise or
+ * counter-clockwise around the defined shape.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first corner
+ * @param y1 y-coordinate of the first corner
+ * @param x2 x-coordinate of the second corner
+ * @param y2 y-coordinate of the second corner
+ * @param x3 x-coordinate of the third corner
+ * @param y3 y-coordinate of the third corner
+ * @param x4 x-coordinate of the fourth corner
+ * @param y4 y-coordinate of the fourth corner
+ *
+ */
public void quad(float x1, float y1, float x2, float y2,
float x3, float y3, float x4, float y4) {
if (recorder != null) recorder.quad(x1, y1, x2, y2, x3, y3, x4, y4);
@@ -7128,24 +7793,90 @@ public class PApplet extends Applet
}
+ /**
+ * Draws a rectangle to the screen. A rectangle is a four-sided shape with
+ * every angle at ninety degrees. The first two parameters set the location,
+ * the third sets the width, and the fourth sets the height. The origin is
+ * changed with the rectMode() function.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the rectangle
+ * @param b y-coordinate of the rectangle
+ * @param c width of the rectangle
+ * @param d height of the rectangle
+ *
+ * @see PGraphics#rectMode(int)
+ * @see PGraphics#quad(float, float, float, float, float, float, float, float)
+ */
public void rect(float a, float b, float c, float d) {
if (recorder != null) recorder.rect(a, b, c, d);
g.rect(a, b, c, d);
}
+ /**
+ * The origin of the ellipse is modified by the ellipseMode()
+ * function. The default configuration is ellipseMode(CENTER),
+ * which specifies the location of the ellipse as the center of the shape.
+ * The RADIUS mode is the same, but the width and height parameters to
+ * ellipse() specify the radius of the ellipse, rather than the
+ * diameter. The CORNER mode draws the shape from the upper-left corner
+ * of its bounding box. The CORNERS mode uses the four parameters to
+ * ellipse() to set two opposing corners of the ellipse's bounding
+ * box. The parameter must be written in "ALL CAPS" because Processing
+ * syntax is case sensitive.
+ *
+ * @webref shape:attributes
+ *
+ * @param mode Either CENTER, RADIUS, CORNER, or CORNERS.
+ * @see PApplet#ellipse(float, float, float, float)
+ */
public void ellipseMode(int mode) {
if (recorder != null) recorder.ellipseMode(mode);
g.ellipseMode(mode);
}
+ /**
+ * Draws an ellipse (oval) in the display window. An ellipse with an equal
+ * width and height is a circle. The first two parameters set
+ * the location, the third sets the width, and the fourth sets the height.
+ * The origin may be changed with the ellipseMode() function.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the ellipse
+ * @param b y-coordinate of the ellipse
+ * @param c width of the ellipse
+ * @param d height of the ellipse
+ *
+ * @see PApplet#ellipseMode(int)
+ */
public void ellipse(float a, float b, float c, float d) {
if (recorder != null) recorder.ellipse(a, b, c, d);
g.ellipse(a, b, c, d);
}
+ /**
+ * Draws an arc in the display window.
+ * Arcs are drawn along the outer edge of an ellipse defined by the
+ * x, y, width and height parameters.
+ * The origin or the arc's ellipse may be changed with the
+ * ellipseMode() function.
+ * The start and stop parameters specify the angles
+ * at which to draw the arc.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the arc's ellipse
+ * @param b y-coordinate of the arc's ellipse
+ * @param c width of the arc's ellipse
+ * @param d height of the arc's ellipse
+ * @param start angle to start the arc, specified in radians
+ * @param stop angle to stop the arc, specified in radians
+ *
+ * @see PGraphics#ellipseMode(int)
+ * @see PGraphics#ellipse(float, float, float, float)
+ */
public void arc(float a, float b, float c, float d,
float start, float stop) {
if (recorder != null) recorder.arc(a, b, c, d, start, stop);
@@ -7153,52 +7884,243 @@ public class PApplet extends Applet
}
+ /**
+ * @param size dimension of the box in all dimensions, creates a cube
+ */
public void box(float size) {
if (recorder != null) recorder.box(size);
g.box(size);
}
+ /**
+ * A box is an extruded rectangle. A box with equal dimension
+ * on all sides is a cube.
+ *
+ * @webref shape:3d_primitives
+ * @param w dimension of the box in the x-dimension
+ * @param h dimension of the box in the y-dimension
+ * @param d dimension of the box in the z-dimension
+ *
+ * @see PApplet#sphere(float)
+ */
public void box(float w, float h, float d) {
if (recorder != null) recorder.box(w, h, d);
g.box(w, h, d);
}
+ /**
+ * @param res number of segments (minimum 3) used per full circle revolution
+ */
public void sphereDetail(int res) {
if (recorder != null) recorder.sphereDetail(res);
g.sphereDetail(res);
}
+ /**
+ * Controls the detail used to render a sphere by adjusting the number of
+ * vertices of the sphere mesh. The default resolution is 30, which creates
+ * a fairly detailed sphere definition with vertices every 360/30 = 12
+ * degrees. If you're going to render a great number of spheres per frame,
+ * it is advised to reduce the level of detail using this function.
+ * The setting stays active until sphereDetail() is called again with
+ * a new parameter and so should not be called prior to every
+ * sphere() statement, unless you wish to render spheres with
+ * different settings, e.g. using less detail for smaller spheres or ones
+ * further away from the camera. To control the detail of the horizontal
+ * and vertical resolution independently, use the version of the functions
+ * with two parameters.
+ *
+ * =advanced
+ * Code for sphereDetail() submitted by toxi [031031].
+ * Code for enhanced u/v version from davbol [080801].
+ *
+ * @webref shape:3d_primitives
+ * @param ures number of segments used horizontally (longitudinally)
+ * per full circle revolution
+ * @param vres number of segments used vertically (latitudinally)
+ * from top to bottom
+ *
+ * @see PGraphics#sphere(float)
+ */
+ /**
+ * Set the detail level for approximating a sphere. The ures and vres params
+ * control the horizontal and vertical resolution.
+ *
+ */
public void sphereDetail(int ures, int vres) {
if (recorder != null) recorder.sphereDetail(ures, vres);
g.sphereDetail(ures, vres);
}
+ /**
+ * Draw a sphere with radius r centered at coordinate 0, 0, 0.
+ * A sphere is a hollow ball made from tessellated triangles.
+ * =advanced
+ *
+ * [toxi 031031] new sphere code. removed all multiplies with
+ * radius, as scale() will take care of that anyway
+ *
+ * [toxi 031223] updated sphere code (removed modulos)
+ * and introduced sphereAt(x,y,z,r)
+ * to avoid additional translate()'s on the user/sketch side
+ *
+ * [davbol 080801] now using separate sphereDetailU/V
+ *
+ *
+ * @webref shape:3d_primitives
+ * @param r the radius of the sphere
+ */
public void sphere(float r) {
if (recorder != null) recorder.sphere(r);
g.sphere(r);
}
+ /**
+ * Evalutes quadratic bezier at point t for points a, b, c, d.
+ * The parameter t varies between 0 and 1. The a and d parameters are the
+ * on-curve points, b and c are the control points. To make a two-dimensional
+ * curve, call this function once with the x coordinates and a second time
+ * with the y coordinates to get the location of a bezier curve at t.
+ *
+ * =advanced
+ * For instance, to convert the following example:
+ * stroke(255, 102, 0);
+ * line(85, 20, 10, 10);
+ * line(90, 90, 15, 80);
+ * stroke(0, 0, 0);
+ * bezier(85, 20, 10, 10, 90, 90, 15, 80);
+ *
+ * // draw it in gray, using 10 steps instead of the default 20
+ * // this is a slower way to do it, but useful if you need
+ * // to do things with the coordinates at each step
+ * stroke(128);
+ * beginShape(LINE_STRIP);
+ * for (int i = 0; i <= 10; i++) {
+ * float t = i / 10.0f;
+ * float x = bezierPoint(85, 10, 90, 15, t);
+ * float y = bezierPoint(20, 10, 90, 80, t);
+ * vertex(x, y);
+ * }
+ * endShape();
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
+ */
public float bezierPoint(float a, float b, float c, float d, float t) {
return g.bezierPoint(a, b, c, d, t);
}
+ /**
+ * Calculates the tangent of a point on a Bezier curve. There is a good
+ * definition of "tangent" at Wikipedia: http://en.wikipedia.org/wiki/Tangent
+ *
+ * =advanced
+ * Code submitted by Dave Bollinger (davol) for release 0136.
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
+ */
public float bezierTangent(float a, float b, float c, float d, float t) {
return g.bezierTangent(a, b, c, d, t);
}
+ /**
+ * Sets the resolution at which Beziers display. The default value is 20. This function is only useful when using the P3D or OPENGL renderer as the default (JAVA2D) renderer does not use this information.
+ *
+ * @webref shape:curves
+ * @param detail resolution of the curves
+ *
+ * @see PApplet#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PApplet#curveVertex(float, float)
+ * @see PApplet#curveTightness(float)
+ */
public void bezierDetail(int detail) {
if (recorder != null) recorder.bezierDetail(detail);
g.bezierDetail(detail);
}
+ /**
+ * Draws a Bezier curve on the screen. These curves are defined by a series
+ * of anchor and control points. The first two parameters specify the first
+ * anchor point and the last two parameters specify the other anchor point.
+ * The middle parameters specify the control points which define the shape
+ * of the curve. Bezier curves were developed by French engineer Pierre
+ * Bezier. Using the 3D version of requires rendering with P3D or OPENGL
+ * (see the Environment reference for more information).
+ *
+ * =advanced
+ * Draw a cubic bezier curve. The first and last points are
+ * the on-curve points. The middle two are the 'control' points,
+ * or 'handles' in an application like Illustrator.
+ * beginShape();
+ * vertex(x1, y1);
+ * bezierVertex(x2, y2, x3, y3, x4, y4);
+ * endShape();
+ *
+ * In Postscript-speak, this would be:
+ * moveto(x1, y1);
+ * curveto(x2, y2, x3, y3, x4, y4);
+ * If you were to try and continue that curve like so:
+ * curveto(x5, y5, x6, y6, x7, y7);
+ * This would be done in processing by adding these statements:
+ * bezierVertex(x5, y5, x6, y6, x7, y7)
+ *
+ * To draw a quadratic (instead of cubic) curve,
+ * use the control point twice by doubling it:
+ * bezier(x1, y1, cx, cy, cx, cy, x2, y2);
+ *
+ * @webref shape:curves
+ * @param x1 coordinates for the first anchor point
+ * @param y1 coordinates for the first anchor point
+ * @param z1 coordinates for the first anchor point
+ * @param x2 coordinates for the first control point
+ * @param y2 coordinates for the first control point
+ * @param z2 coordinates for the first control point
+ * @param x3 coordinates for the second control point
+ * @param y3 coordinates for the second control point
+ * @param z3 coordinates for the second control point
+ * @param x4 coordinates for the second anchor point
+ * @param y4 coordinates for the second anchor point
+ * @param z4 coordinates for the second anchor point
+ *
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ */
public void bezier(float x1, float y1,
float x2, float y2,
float x3, float y3,
@@ -7217,28 +8139,137 @@ public class PApplet extends Applet
}
+ /**
+ * Evalutes the Catmull-Rom curve at point t for points a, b, c, d. The
+ * parameter t varies between 0 and 1, a and d are points on the curve,
+ * and b and c are the control points. This can be done once with the x
+ * coordinates and a second time with the y coordinates to get the
+ * location of a curve at t.
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of second point on the curve
+ * @param c coordinate of third point on the curve
+ * @param d coordinate of fourth point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#bezierPoint(float, float, float, float, float)
+ */
public float curvePoint(float a, float b, float c, float d, float t) {
return g.curvePoint(a, b, c, d, t);
}
+ /**
+ * Calculates the tangent of a point on a Catmull-Rom curve. There is a good definition of "tangent" at Wikipedia: http://en.wikipedia.org/wiki/Tangent.
+ *
+ * =advanced
+ * Code thanks to Dave Bollinger (Bug #715)
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
+ * @see PGraphics#bezierTangent(float, float, float, float, float)
+ */
public float curveTangent(float a, float b, float c, float d, float t) {
return g.curveTangent(a, b, c, d, t);
}
+ /**
+ * Sets the resolution at which curves display. The default value is 20.
+ * This function is only useful when using the P3D or OPENGL renderer as
+ * the default (JAVA2D) renderer does not use this information.
+ *
+ * @webref shape:curves
+ * @param detail resolution of the curves
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curveTightness(float)
+ */
public void curveDetail(int detail) {
if (recorder != null) recorder.curveDetail(detail);
g.curveDetail(detail);
}
+ /**
+ * Modifies the quality of forms created with curve() and
+ *curveVertex(). The parameter squishy determines how the
+ * curve fits to the vertex points. The value 0.0 is the default value for
+ * squishy (this value defines the curves to be Catmull-Rom splines)
+ * and the value 1.0 connects all the points with straight lines.
+ * Values within the range -5.0 and 5.0 will deform the curves but
+ * will leave them recognizable and as values increase in magnitude,
+ * they will continue to deform.
+ *
+ * @webref shape:curves
+ * @param tightness amount of deformation from the original vertices
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ *
+ */
public void curveTightness(float tightness) {
if (recorder != null) recorder.curveTightness(tightness);
g.curveTightness(tightness);
}
+ /**
+ * Draws a curved line on the screen. The first and second parameters
+ * specify the beginning control point and the last two parameters specify
+ * the ending control point. The middle parameters specify the start and
+ * stop of the curve. Longer curves can be created by putting a series of
+ * curve() functions together or using curveVertex().
+ * An additional function called curveTightness() provides control
+ * for the visual quality of the curve. The curve() function is an
+ * implementation of Catmull-Rom splines. Using the 3D version of requires
+ * rendering with P3D or OPENGL (see the Environment reference for more
+ * information).
+ *
+ * =advanced
+ * As of revision 0070, this function no longer doubles the first
+ * and last points. The curves are a bit more boring, but it's more
+ * mathematically correct, and properly mirrored in curvePoint().
+ *
+ * beginShape();
+ * curveVertex(x1, y1);
+ * curveVertex(x2, y2);
+ * curveVertex(x3, y3);
+ * curveVertex(x4, y4);
+ * endShape();
+ *
+ *
+ * @webref shape:curves
+ * @param x1 coordinates for the beginning control point
+ * @param y1 coordinates for the beginning control point
+ * @param z1 coordinates for the beginning control point
+ * @param x2 coordinates for the first point
+ * @param y2 coordinates for the first point
+ * @param z2 coordinates for the first point
+ * @param x3 coordinates for the second point
+ * @param y3 coordinates for the second point
+ * @param z3 coordinates for the second point
+ * @param x4 coordinates for the ending control point
+ * @param y4 coordinates for the ending control point
+ * @param z4 coordinates for the ending control point
+ *
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curveTightness(float)
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
+ */
public void curve(float x1, float y1,
float x2, float y2,
float x3, float y3,
@@ -7257,18 +8288,46 @@ public class PApplet extends Applet
}
+ /**
+ * If true in PImage, use bilinear interpolation for copy()
+ * operations. When inherited by PGraphics, also controls shapes.
+ */
public void smooth() {
if (recorder != null) recorder.smooth();
g.smooth();
}
+ /**
+ * Disable smoothing. See smooth().
+ */
public void noSmooth() {
if (recorder != null) recorder.noSmooth();
g.noSmooth();
}
+ /**
+ * Modifies the location from which images draw. The default mode is
+ * imageMode(CORNER), which specifies the location to be the
+ * upper-left corner and uses the fourth and fifth parameters of
+ * image() to set the image's width and height. The syntax
+ * imageMode(CORNERS) uses the second and third parameters of
+ * image() to set the location of one corner of the image and
+ * uses the fourth and fifth parameters to set the opposite corner.
+ * Use imageMode(CENTER) to draw images centered at the given
+ * x and y position.
+ *
The parameter to imageMode() must be written in
+ * ALL CAPS because Processing syntax is case sensitive.
+ *
+ * @webref image:loading_displaying
+ * @param mode Either CORNER, CORNERS, or CENTER
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ * @see processing.core.PApplet#image(PImage, float, float, float, float)
+ * @see processing.core.PGraphics#background(float, float, float, float)
+ */
public void imageMode(int mode) {
if (recorder != null) recorder.imageMode(mode);
g.imageMode(mode);
@@ -7281,12 +8340,50 @@ public class PApplet extends Applet
}
+ /**
+ * Displays images to the screen. The images must be in the sketch's "data"
+ * directory to load correctly. Select "Add file..." from the "Sketch" menu
+ * to add the image. Processing currently works with GIF, JPEG, and Targa
+ * images. The color of an image may be modified with the tint()
+ * function and if a GIF has transparency, it will maintain its transparency.
+ * The img parameter specifies the image to display and the x
+ * and y parameters define the location of the image from its
+ * upper-left corner. The image is displayed at its original size unless
+ * the width and height parameters specify a different size.
+ * The imageMode() function changes the way the parameters work.
+ * A call to imageMode(CORNERS) will change the width and height
+ * parameters to define the x and y values of the opposite corner of the
+ * image.
+ *
+ * =advanced
+ * Starting with release 0124, when using the default (JAVA2D) renderer,
+ * smooth() will also improve image quality of resized images.
+ *
+ * @webref image:loading_displaying
+ * @param image the image to display
+ * @param x x-coordinate of the image
+ * @param y y-coordinate of the image
+ * @param c width to display the image
+ * @param d height to display the image
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ * @see processing.core.PGraphics#imageMode(int)
+ * @see processing.core.PGraphics#tint(float)
+ * @see processing.core.PGraphics#background(float, float, float, float)
+ * @see processing.core.PGraphics#alpha(int)
+ */
public void image(PImage image, float x, float y, float c, float d) {
if (recorder != null) recorder.image(image, x, y, c, d);
g.image(image, x, y, c, d);
}
+ /**
+ * Draw an image(), also specifying u/v coordinates.
+ * In this method, the u, v coordinates are always based on image space
+ * location, regardless of the current textureMode().
+ */
public void image(PImage image,
float a, float b, float c, float d,
int u1, int v1, int u2, int v2) {
@@ -7295,6 +8392,26 @@ public class PApplet extends Applet
}
+ /**
+ * Modifies the location from which shapes draw.
+ * The default mode is shapeMode(CORNER), which specifies the
+ * location to be the upper left corner of the shape and uses the third
+ * and fourth parameters of shape() to specify the width and height.
+ * The syntax shapeMode(CORNERS) uses the first and second parameters
+ * of shape() to set the location of one corner and uses the third
+ * and fourth parameters to set the opposite corner.
+ * The syntax shapeMode(CENTER) draws the shape from its center point
+ * and uses the third and forth parameters of shape() to specify the
+ * width and height.
+ * The parameter must be written in "ALL CAPS" because Processing syntax
+ * is case sensitive.
+ *
+ * @param mode One of CORNER, CORNERS, CENTER
+ *
+ * @webref shape:loading_displaying
+ * @see PGraphics#shape(PShape)
+ * @see PGraphics#rectMode(int)
+ */
public void shapeMode(int mode) {
if (recorder != null) recorder.shapeMode(mode);
g.shapeMode(mode);
@@ -7307,64 +8424,138 @@ public class PApplet extends Applet
}
+ /**
+ * Convenience method to draw at a particular location.
+ */
public void shape(PShape shape, float x, float y) {
if (recorder != null) recorder.shape(shape, x, y);
g.shape(shape, x, y);
}
+ /**
+ * Displays shapes to the screen. The shapes must be in the sketch's "data"
+ * directory to load correctly. Select "Add file..." from the "Sketch" menu
+ * to add the shape.
+ * Processing currently works with SVG shapes only.
+ * The sh parameter specifies the shape to display and the x
+ * and y parameters define the location of the shape from its
+ * upper-left corner.
+ * The shape is displayed at its original size unless the width
+ * and height parameters specify a different size.
+ * The shapeMode() function changes the way the parameters work.
+ * A call to shapeMode(CORNERS), for example, will change the width
+ * and height parameters to define the x and y values of the opposite corner
+ * of the shape.
+ *
+ * Note complex shapes may draw awkwardly with P2D, P3D, and OPENGL. Those
+ * renderers do not yet support shapes that have holes or complicated breaks.
+ *
+ * @param shape
+ * @param x x-coordinate of the shape
+ * @param y y-coordinate of the shape
+ * @param c width to display the shape
+ * @param d height to display the shape
+ *
+ * @webref shape:loading_displaying
+ * @see PShape
+ * @see PGraphics#loadShape(String)
+ * @see PGraphics#shapeMode(int)
+ */
public void shape(PShape shape, float x, float y, float c, float d) {
if (recorder != null) recorder.shape(shape, x, y, c, d);
g.shape(shape, x, y, c, d);
}
+ /**
+ * Sets the alignment of the text to one of LEFT, CENTER, or RIGHT.
+ * This will also reset the vertical text alignment to BASELINE.
+ */
public void textAlign(int align) {
if (recorder != null) recorder.textAlign(align);
g.textAlign(align);
}
+ /**
+ * Sets the horizontal and vertical alignment of the text. The horizontal
+ * alignment can be one of LEFT, CENTER, or RIGHT. The vertical alignment
+ * can be TOP, BOTTOM, CENTER, or the BASELINE (the default).
+ */
public void textAlign(int alignX, int alignY) {
if (recorder != null) recorder.textAlign(alignX, alignY);
g.textAlign(alignX, alignY);
}
+ /**
+ * Returns the ascent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
public float textAscent() {
return g.textAscent();
}
+ /**
+ * Returns the descent of the current font at the current size.
+ * This is a method, rather than a variable inside the PGraphics object
+ * because it requires calculation.
+ */
public float textDescent() {
return g.textDescent();
}
+ /**
+ * Sets the current font. The font's size will be the "natural"
+ * size of this font (the size that was set when using "Create Font").
+ * The leading will also be reset.
+ */
public void textFont(PFont which) {
if (recorder != null) recorder.textFont(which);
g.textFont(which);
}
+ /**
+ * Useful function to set the font and size at the same time.
+ */
public void textFont(PFont which, float size) {
if (recorder != null) recorder.textFont(which, size);
g.textFont(which, size);
}
+ /**
+ * Set the text leading to a specific value. If using a custom
+ * value for the text leading, you'll have to call textLeading()
+ * again after any calls to textSize().
+ */
public void textLeading(float leading) {
if (recorder != null) recorder.textLeading(leading);
g.textLeading(leading);
}
+ /**
+ * Sets the text rendering/placement to be either SCREEN (direct
+ * to the screen, exact coordinates, only use the font's original size)
+ * or MODEL (the default, where text is manipulated by translate() and
+ * can have a textSize). The text size cannot be set when using
+ * textMode(SCREEN), because it uses the pixels directly from the font.
+ */
public void textMode(int mode) {
if (recorder != null) recorder.textMode(mode);
g.textMode(mode);
}
+ /**
+ * Sets the text size, also resets the value for the leading.
+ */
public void textSize(float size) {
if (recorder != null) recorder.textSize(size);
g.textSize(size);
@@ -7376,65 +8567,113 @@ public class PApplet extends Applet
}
+ /**
+ * Return the width of a line of text. If the text has multiple
+ * lines, this returns the length of the longest line.
+ */
public float textWidth(String str) {
return g.textWidth(str);
}
+ /**
+ * TODO not sure if this stays...
+ */
public float textWidth(char[] chars, int start, int length) {
return g.textWidth(chars, start, length);
}
+ /**
+ * Write text where we just left off.
+ */
public void text(char c) {
if (recorder != null) recorder.text(c);
g.text(c);
}
+ /**
+ * Draw a single character on screen.
+ * Extremely slow when used with textMode(SCREEN) and Java 2D,
+ * because loadPixels has to be called first and updatePixels last.
+ */
public void text(char c, float x, float y) {
if (recorder != null) recorder.text(c, x, y);
g.text(c, x, y);
}
+ /**
+ * Draw a single character on screen (with a z coordinate)
+ */
public void text(char c, float x, float y, float z) {
if (recorder != null) recorder.text(c, x, y, z);
g.text(c, x, y, z);
}
+ /**
+ * Write text where we just left off.
+ */
public void text(String str) {
if (recorder != null) recorder.text(str);
g.text(str);
}
+ /**
+ * Draw a chunk of text.
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, but \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
public void text(String str, float x, float y) {
if (recorder != null) recorder.text(str, x, y);
g.text(str, x, y);
}
+ /**
+ * Method to draw text from an array of chars. This method will usually be
+ * more efficient than drawing from a String object, because the String will
+ * not be converted to a char array before drawing.
+ */
public void text(char[] chars, int start, int stop, float x, float y) {
if (recorder != null) recorder.text(chars, start, stop, x, y);
g.text(chars, start, stop, x, y);
}
+ /**
+ * Same as above but with a z coordinate.
+ */
public void text(String str, float x, float y, float z) {
if (recorder != null) recorder.text(str, x, y, z);
g.text(str, x, y, z);
}
- public void text(char[] chars, int start, int stop,
+ public void text(char[] chars, int start, int stop,
float x, float y, float z) {
if (recorder != null) recorder.text(chars, start, stop, x, y, z);
g.text(chars, start, stop, x, y, z);
}
+ /**
+ * Draw text in a box that is constrained to a particular size.
+ * The current rectMode() determines what the coordinates mean
+ * (whether x1/y1/x2/y2 or x/y/w/h).
+ *
+ * Note that the x,y coords of the start of the box
+ * will align with the *ascent* of the text, not the baseline,
+ * as is the case for the other text() functions.
+ *
+ * Newlines that are \n (Unix newline or linefeed char, ascii 10)
+ * are honored, and \r (carriage return, Windows and Mac OS) are
+ * ignored.
+ */
public void text(String str, float x1, float y1, float x2, float y2) {
if (recorder != null) recorder.text(str, x1, y1, x2, y2);
g.text(str, x1, y1, x2, y2);
@@ -7459,6 +8698,13 @@ public class PApplet extends Applet
}
+ /**
+ * This does a basic number formatting, to avoid the
+ * generally ugly appearance of printing floats.
+ * Users who want more control should use their own nf() cmmand,
+ * or if they want the long, ugly version of float,
+ * use String.valueOf() to convert the float to a String first.
+ */
public void text(float num, float x, float y) {
if (recorder != null) recorder.text(num, x, y);
g.text(num, x, y);
@@ -7471,78 +8717,131 @@ public class PApplet extends Applet
}
+ /**
+ * Push a copy of the current transformation matrix onto the stack.
+ */
public void pushMatrix() {
if (recorder != null) recorder.pushMatrix();
g.pushMatrix();
}
+ /**
+ * Replace the current transformation matrix with the top of the stack.
+ */
public void popMatrix() {
if (recorder != null) recorder.popMatrix();
g.popMatrix();
}
+ /**
+ * Translate in X and Y.
+ */
public void translate(float tx, float ty) {
if (recorder != null) recorder.translate(tx, ty);
g.translate(tx, ty);
}
+ /**
+ * Translate in X, Y, and Z.
+ */
public void translate(float tx, float ty, float tz) {
if (recorder != null) recorder.translate(tx, ty, tz);
g.translate(tx, ty, tz);
}
+ /**
+ * Two dimensional rotation.
+ *
+ * Same as rotateZ (this is identical to a 3D rotation along the z-axis)
+ * but included for clarity. It'd be weird for people drawing 2D graphics
+ * to be using rotateZ. And they might kick our a-- for the confusion.
+ *
+ * Additional background.
+ */
public void rotate(float angle) {
if (recorder != null) recorder.rotate(angle);
g.rotate(angle);
}
+ /**
+ * Rotate around the X axis.
+ */
public void rotateX(float angle) {
if (recorder != null) recorder.rotateX(angle);
g.rotateX(angle);
}
+ /**
+ * Rotate around the Y axis.
+ */
public void rotateY(float angle) {
if (recorder != null) recorder.rotateY(angle);
g.rotateY(angle);
}
+ /**
+ * Rotate around the Z axis.
+ *
+ * The functions rotate() and rotateZ() are identical, it's just that it make
+ * sense to have rotate() and then rotateX() and rotateY() when using 3D;
+ * nor does it make sense to use a function called rotateZ() if you're only
+ * doing things in 2D. so we just decided to have them both be the same.
+ */
public void rotateZ(float angle) {
if (recorder != null) recorder.rotateZ(angle);
g.rotateZ(angle);
}
+ /**
+ * Rotate about a vector in space. Same as the glRotatef() function.
+ */
public void rotate(float angle, float vx, float vy, float vz) {
if (recorder != null) recorder.rotate(angle, vx, vy, vz);
g.rotate(angle, vx, vy, vz);
}
+ /**
+ * Scale in all dimensions.
+ */
public void scale(float s) {
if (recorder != null) recorder.scale(s);
g.scale(s);
}
+ /**
+ * Scale in X and Y. Equivalent to scale(sx, sy, 1).
+ *
+ * Not recommended for use in 3D, because the z-dimension is just
+ * scaled by 1, since there's no way to know what else to scale it by.
+ */
public void scale(float sx, float sy) {
if (recorder != null) recorder.scale(sx, sy);
g.scale(sx, sy);
}
+ /**
+ * Scale in X, Y, and Z.
+ */
public void scale(float x, float y, float z) {
if (recorder != null) recorder.scale(x, y, z);
g.scale(x, y, z);
}
+ /**
+ * Set the current transformation matrix to identity.
+ */
public void resetMatrix() {
if (recorder != null) recorder.resetMatrix();
g.resetMatrix();
@@ -7561,6 +8860,9 @@ public class PApplet extends Applet
}
+ /**
+ * Apply a 3x2 affine transformation matrix.
+ */
public void applyMatrix(float n00, float n01, float n02,
float n10, float n11, float n12) {
if (recorder != null) recorder.applyMatrix(n00, n01, n02, n10, n11, n12);
@@ -7574,6 +8876,9 @@ public class PApplet extends Applet
}
+ /**
+ * Apply a 4x4 transformation matrix.
+ */
public void applyMatrix(float n00, float n01, float n02, float n03,
float n10, float n11, float n12, float n13,
float n20, float n21, float n22, float n23,
@@ -7588,34 +8893,54 @@ public class PApplet extends Applet
}
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
public PMatrix2D getMatrix(PMatrix2D target) {
return g.getMatrix(target);
}
+ /**
+ * Copy the current transformation matrix into the specified target.
+ * Pass in null to create a new matrix.
+ */
public PMatrix3D getMatrix(PMatrix3D target) {
return g.getMatrix(target);
}
+ /**
+ * Set the current transformation matrix to the contents of another.
+ */
public void setMatrix(PMatrix source) {
if (recorder != null) recorder.setMatrix(source);
g.setMatrix(source);
}
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
public void setMatrix(PMatrix2D source) {
if (recorder != null) recorder.setMatrix(source);
g.setMatrix(source);
}
+ /**
+ * Set the current transformation to the contents of the specified source.
+ */
public void setMatrix(PMatrix3D source) {
if (recorder != null) recorder.setMatrix(source);
g.setMatrix(source);
}
+ /**
+ * Print the current model (or "transformation") matrix.
+ */
public void printMatrix() {
if (recorder != null) recorder.printMatrix();
g.printMatrix();
@@ -7694,41 +9019,91 @@ public class PApplet extends Applet
}
+ /**
+ * Given an x and y coordinate, returns the x position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
public float screenX(float x, float y) {
return g.screenX(x, y);
}
+ /**
+ * Given an x and y coordinate, returns the y position of where
+ * that point would be placed on screen, once affected by translate(),
+ * scale(), or any other transformations.
+ */
public float screenY(float x, float y) {
return g.screenY(x, y);
}
+ /**
+ * Maps a three dimensional point to its placement on-screen.
+ *
When using hexadecimal notation to specify a color, use "#" or
+ * "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six
+ * digits to specify a color (the way colors are specified in HTML and CSS).
+ * When using the hexadecimal notation starting with "0x", the hexadecimal
+ * value must be specified with eight characters; the first two characters
+ * define the alpha component and the remainder the red, green, and blue
+ * components.
+ *
The value for the parameter "gray" must be less than or equal
+ * to the current maximum value as specified by colorMode().
+ * The default maximum value is 255.
+ *
+ * @webref color:setting
+ * @param alpha opacity of the stroke
+ * @param x red or hue value (depending on the current color mode)
+ * @param y green or saturation value (depending on the current color mode)
+ * @param z blue or brightness value (depending on the current color mode)
+ */
public void stroke(float x, float y, float z, float a) {
if (recorder != null) recorder.stroke(x, y, z, a);
g.stroke(x, y, z, a);
}
+ /**
+ * Removes the current fill value for displaying images and reverts to displaying images with their original hues.
+ *
+ * @webref image:loading_displaying
+ * @see processing.core.PGraphics#tint(float, float, float, float)
+ * @see processing.core.PGraphics#image(PImage, float, float, float, float)
+ */
public void noTint() {
if (recorder != null) recorder.noTint();
g.noTint();
}
+ /**
+ * Set the tint to either a grayscale or ARGB value.
+ */
public void tint(int rgb) {
if (recorder != null) recorder.tint(rgb);
g.tint(rgb);
}
+ /**
+ * @param rgb color value in hexadecimal notation
+ * (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
+ * @param alpha opacity of the image
+ */
public void tint(int rgb, float alpha) {
if (recorder != null) recorder.tint(rgb, alpha);
g.tint(rgb, alpha);
}
+ /**
+ * @param gray any valid number
+ */
public void tint(float gray) {
if (recorder != null) recorder.tint(gray);
g.tint(gray);
@@ -7848,18 +9281,60 @@ public class PApplet extends Applet
}
+ /**
+ * Sets the fill value for displaying images. Images can be tinted to
+ * specified colors or made transparent by setting the alpha.
+ *
To make an image transparent, but not change it's color,
+ * use white as the tint color and specify an alpha value. For instance,
+ * tint(255, 128) will make an image 50% transparent (unless
+ * colorMode() has been used).
+ *
+ *
When using hexadecimal notation to specify a color, use "#" or
+ * "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six
+ * digits to specify a color (the way colors are specified in HTML and CSS).
+ * When using the hexadecimal notation starting with "0x", the hexadecimal
+ * value must be specified with eight characters; the first two characters
+ * define the alpha component and the remainder the red, green, and blue
+ * components.
+ *
The value for the parameter "gray" must be less than or equal
+ * to the current maximum value as specified by colorMode().
+ * The default maximum value is 255.
+ *
The tint() method is also used to control the coloring of
+ * textures in 3D.
+ *
+ * @webref image:loading_displaying
+ * @param x red or hue value
+ * @param y green or saturation value
+ * @param z blue or brightness value
+ *
+ * @see processing.core.PGraphics#noTint()
+ * @see processing.core.PGraphics#image(PImage, float, float, float, float)
+ */
public void tint(float x, float y, float z, float a) {
if (recorder != null) recorder.tint(x, y, z, a);
g.tint(x, y, z, a);
}
+ /**
+ * Disables filling geometry. If both noStroke() and noFill()
+ * are called, no shapes will be drawn to the screen.
+ *
+ * @webref color:setting
+ *
+ * @see PGraphics#fill(float, float, float, float)
+ *
+ */
public void noFill() {
if (recorder != null) recorder.noFill();
g.noFill();
}
+ /**
+ * Set the fill to either a grayscale value or an ARGB int.
+ * @param rgb color value in hexadecimal notation (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
+ */
public void fill(int rgb) {
if (recorder != null) recorder.fill(rgb);
g.fill(rgb);
@@ -7872,6 +9347,9 @@ public class PApplet extends Applet
}
+ /**
+ * @param gray number specifying value between white and black
+ */
public void fill(float gray) {
if (recorder != null) recorder.fill(gray);
g.fill(gray);
@@ -7890,6 +9368,24 @@ public class PApplet extends Applet
}
+ /**
+ * Sets the color used to fill shapes. For example, if you run fill(204, 102, 0), all subsequent shapes will be filled with orange. This color is either specified in terms of the RGB or HSB color depending on the current colorMode() (the default color space is RGB, with each value in the range from 0 to 255).
+ *
When using hexadecimal notation to specify a color, use "#" or "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six digits to specify a color (the way colors are specified in HTML and CSS). When using the hexadecimal notation starting with "0x", the hexadecimal value must be specified with eight characters; the first two characters define the alpha component and the remainder the red, green, and blue components.
+ *
The value for the parameter "gray" must be less than or equal to the current maximum value as specified by colorMode(). The default maximum value is 255.
+ *
To change the color of an image (or a texture), use tint().
+ *
+ * @webref color:setting
+ * @param x red or hue value
+ * @param y green or saturation value
+ * @param z blue or brightness value
+ * @param alpha opacity of the fill
+ *
+ * @see PGraphics#noFill()
+ * @see PGraphics#stroke(float)
+ * @see PGraphics#tint(float)
+ * @see PGraphics#background(float, float, float, float)
+ * @see PGraphics#colorMode(int, float, float, float, float)
+ */
public void fill(float x, float y, float z, float a) {
if (recorder != null) recorder.fill(x, y, z, a);
g.fill(x, y, z, a);
@@ -8016,48 +9512,119 @@ public class PApplet extends Applet
}
+ /**
+ * Set the background to a gray or ARGB color.
+ *
or any value of the color datatype
+ */
public void background(int rgb) {
if (recorder != null) recorder.background(rgb);
g.background(rgb);
}
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ */
public void background(int rgb, float alpha) {
if (recorder != null) recorder.background(rgb, alpha);
g.background(rgb, alpha);
}
+ /**
+ * Set the background to a grayscale value, based on the
+ * current colorMode.
+ */
public void background(float gray) {
if (recorder != null) recorder.background(gray);
g.background(gray);
}
+ /**
+ * See notes about alpha in background(x, y, z, a).
+ * @param gray specifies a value between white and black
+ * @param alpha opacity of the background
+ */
public void background(float gray, float alpha) {
if (recorder != null) recorder.background(gray, alpha);
g.background(gray, alpha);
}
+ /**
+ * Set the background to an r, g, b or h, s, b value,
+ * based on the current colorMode.
+ */
public void background(float x, float y, float z) {
if (recorder != null) recorder.background(x, y, z);
g.background(x, y, z);
}
+ /**
+ * The background() function sets the color used for the background of the Processing window. The default background is light gray. In the draw() function, the background color is used to clear the display window at the beginning of each frame.
+ *
An image can also be used as the background for a sketch, however its width and height must be the same size as the sketch window. To resize an image 'b' to the size of the sketch window, use b.resize(width, height).
+ *
Images used as background will ignore the current tint() setting.
+ *
It is not possible to use transparency (alpha) in background colors with the main drawing surface, however they will work properly with createGraphics.
+ *
+ * =advanced
+ * colorMode(HSB, 360, 100, 100);
+ * because the alpha values were still between 0 and 255.
+ */
public void colorMode(int mode, float maxX, float maxY, float maxZ) {
if (recorder != null) recorder.colorMode(mode, maxX, maxY, maxZ);
g.colorMode(mode, maxX, maxY, maxZ);
}
+ /**
+ * Changes the way Processing interprets color data. By default, the parameters for fill(), stroke(), background(), and color() are defined by values between 0 and 255 using the RGB color model. The colorMode() function is used to change the numerical range used for specifying colors and to switch color systems. For example, calling colorMode(RGB, 1.0) will specify that values are specified between 0 and 1. The limits for defining colors are altered by setting the parameters range1, range2, range3, and range 4.
+ *
+ * @webref color:setting
+ * @param maxX range for the red or hue depending on the current color mode
+ * @param maxY range for the green or saturation depending on the current color mode
+ * @param maxZ range for the blue or brightness depending on the current color mode
+ * @param maxA range for the alpha
+ *
+ * @see PGraphics#background(float)
+ * @see PGraphics#fill(float)
+ * @see PGraphics#stroke(float)
+ */
public void colorMode(int mode,
float maxX, float maxY, float maxZ, float maxA) {
if (recorder != null) recorder.colorMode(mode, maxX, maxY, maxZ, maxA);
@@ -8083,109 +9672,313 @@ public class PApplet extends Applet
}
+ /**
+ * Extracts the alpha value from a color.
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ */
public final float alpha(int what) {
return g.alpha(what);
}
+ /**
+ * Extracts the red value from a color, scaled to match current colorMode(). This value is always returned as a float so be careful not to assign it to an int value.
The red() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use the >> (right shift) operator with a bit mask. For example, the following two lines of code are equivalent:float r1 = red(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ * @ref rightshift
+ */
public final float red(int what) {
return g.red(what);
}
+ /**
+ * Extracts the green value from a color, scaled to match current colorMode(). This value is always returned as a float so be careful not to assign it to an int value.
float r2 = myColor >> 16 & 0xFF;
The green() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use the >> (right shift) operator with a bit mask. For example, the following two lines of code are equivalent:float r1 = green(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ * @ref rightshift
+ */
public final float green(int what) {
return g.green(what);
}
+ /**
+ * Extracts the blue value from a color, scaled to match current colorMode(). This value is always returned as a float so be careful not to assign it to an int value.
float r2 = myColor >> 8 & 0xFF;
The blue() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use a bit mask to remove the other color components. For example, the following two lines of code are equivalent:float r1 = blue(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ */
public final float blue(int what) {
return g.blue(what);
}
+ /**
+ * Extracts the hue value from a color.
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ */
public final float hue(int what) {
return g.hue(what);
}
+ /**
+ * Extracts the saturation value from a color.
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#brightness(int)
+ */
public final float saturation(int what) {
return g.saturation(what);
}
+ /**
+ * Extracts the brightness value from a color.
+ *
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ */
public final float brightness(int what) {
return g.brightness(what);
}
+ /**
+ * Calculates a color or colors between two color at a specific increment. The amt parameter is the amount to interpolate between the two values where 0.0 equal to the first point, 0.1 is very near the first point, 0.5 is half-way in between, etc.
+ *
+ * @webref color:creating_reading
+ * @param c1 interpolate from this color
+ * @param c2 interpolate to this color
+ * @param amt between 0.0 and 1.0
+ *
+ * @see PGraphics#blendColor(int, int, int)
+ * @see PGraphics#color(float, float, float, float)
+ */
public int lerpColor(int c1, int c2, float amt) {
return g.lerpColor(c1, c2, amt);
}
+ /**
+ * Interpolate between two colors. Like lerp(), but for the
+ * individual color components of a color supplied as an int value.
+ */
static public int lerpColor(int c1, int c2, float amt, int mode) {
return PGraphics.lerpColor(c1, c2, amt, mode);
}
+ /**
+ * Return true if this renderer should be drawn to the screen. Defaults to
+ * returning true, since nearly all renderers are on-screen beasts. But can
+ * be overridden for subclasses like PDF so that a window doesn't open up.
+ *
float r2 = myColor & 0xFF;
+ * A better name? showFrame, displayable, isVisible, visible, shouldDisplay,
+ * what to call this?
+ */
public boolean displayable() {
return g.displayable();
}
+ /**
+ * Store data of some kind for a renderer that requires extra metadata of
+ * some kind. Usually this is a renderer-specific representation of the
+ * image data, for instance a BufferedImage with tint() settings applied for
+ * PGraphicsJava2D, or resized image data and OpenGL texture indices for
+ * PGraphicsOpenGL.
+ */
public void setCache(Object parent, Object storage) {
if (recorder != null) recorder.setCache(parent, storage);
g.setCache(parent, storage);
}
+ /**
+ * Get cache storage data for the specified renderer. Because each renderer
+ * will cache data in different formats, it's necessary to store cache data
+ * keyed by the renderer object. Otherwise, attempting to draw the same
+ * image to both a PGraphicsJava2D and a PGraphicsOpenGL will cause errors.
+ * @param parent The PGraphics object (or any object, really) associated
+ * @return data stored for the specified parent
+ */
public Object getCache(Object parent) {
return g.getCache(parent);
}
+ /**
+ * Remove information associated with this renderer from the cache, if any.
+ * @param parent The PGraphics object whose cache data should be removed
+ */
public void removeCache(Object parent) {
if (recorder != null) recorder.removeCache(parent);
g.removeCache(parent);
}
+ /**
+ * Returns an ARGB "color" type (a packed 32 bit int with the color.
+ * If the coordinate is outside the image, zero is returned
+ * (black, but completely transparent).
+ *
Getting the color of a single pixel with get(x, y) is easy, but not as fast as grabbing the data directly from pixels[]. The equivalent statement to "get(x, y)" using pixels[] is "pixels[y*width+x]". Processing requires calling loadPixels() to load the display window data into the pixels[] array before getting the values.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Reads the color of any pixel or grabs a rectangle of pixels
+ * @param x x-coordinate of the pixel
+ * @param y y-coordinate of the pixel
+ * @param w width of pixel rectangle to get
+ * @param h height of pixel rectangle to get
+ *
+ * @see processing.core.PImage#set(int, int, int)
+ * @see processing.core.PImage#pixels
+ * @see processing.core.PImage#copy(PImage, int, int, int, int, int, int, int, int)
+ */
public PImage get(int x, int y, int w, int h) {
return g.get(x, y, w, h);
}
+ /**
+ * Returns a copy of this PImage. Equivalent to get(0, 0, width, height).
+ */
public PImage get() {
return g.get();
}
+ /**
+ * Changes the color of any pixel or writes an image directly into the display window. The x and y parameters specify the pixel to change and the color parameter specifies the color value. The color parameter is affected by the current color mode (the default is RGB values from 0 to 255). When setting an image, the x and y parameters define the coordinates for the upper-left corner of the image.
+ *
Setting the color of a single pixel with set(x, y) is easy, but not as fast as putting the data directly into pixels[]. The equivalent statement to "set(x, y, #000000)" using pixels[] is "pixels[y*width+x] = #000000". You must call loadPixels() to load the display window data into the pixels[] array before setting the values and calling updatePixels() to update the window with any changes.
+ *
As of release 1.0, this function ignores imageMode().
+ *
Due to what appears to be a bug in Apple's Java implementation, the point() and set() methods are extremely slow in some circumstances when used with the default renderer. Using P2D or P3D will fix the problem. Grouping many calls to point() or set() together can also help. (Bug 1094)
+ * =advanced
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref image:pixels
+ * @param x x-coordinate of the pixel
+ * @param y y-coordinate of the pixel
+ * @param c any value of the color datatype
+ */
public void set(int x, int y, int c) {
if (recorder != null) recorder.set(x, y, c);
g.set(x, y, c);
}
+ /**
+ * Efficient method of drawing an image's pixels directly to this surface.
+ * No variations are employed, meaning that any scale, tint, or imageMode
+ * settings will be ignored.
+ */
public void set(int x, int y, PImage src) {
if (recorder != null) recorder.set(x, y, src);
g.set(x, y, src);
}
- public void mask(int alpha[]) {
- if (recorder != null) recorder.mask(alpha);
- g.mask(alpha);
+ /**
+ * Set alpha channel for an image. Black colors in the source
+ * image will make the destination image completely transparent,
+ * and white will make things fully opaque. Gray values will
+ * be in-between steps.
+ *
THRESHOLD - converts the image to black and white pixels depending if they are above or below the threshold defined by the level parameter. The level must be between 0.0 (black) and 1.0(white). If no level is specified, 0.5 is used.
GRAY - converts any colors in the image to grayscale equivalents
INVERT - sets each pixel to its inverse value
POSTERIZE - limits each channel of the image to the number of colors specified as the level parameter
BLUR - executes a Guassian blur with the level parameter specifying the extent of the blurring. If no level parameter is used, the blur is equivalent to Guassian blur of radius 1.
OPAQUE - sets the alpha channel to entirely opaque.
ERODE - reduces the light areas with the amount defined by the level parameter.
DILATE - increases the light areas with the amount defined by the level parameter
+ * =advanced
+ * Method to apply a variety of basic filters to this image.
+ *
+ *
+ * Luminance conversion code contributed by
+ * toxi
+ *
+ * Gaussian blur code contributed by
+ * Mario Klingemann
+ *
+ * @webref
+ * @brief Converts the image to grayscale or black and white
+ * @param kind Either THRESHOLD, GRAY, INVERT, POSTERIZE, BLUR, OPAQUE, ERODE, or DILATE
+ * @param param in the range from 0 to 1
+ */
public void filter(int kind, float param) {
if (recorder != null) recorder.filter(kind, param);
g.filter(kind, param);
}
+ /**
+ * Copy things from one area of this image
+ * to another area in the same image.
+ */
public void copy(int sx, int sy, int sw, int sh,
int dx, int dy, int dw, int dh) {
if (recorder != null) recorder.copy(sx, sy, sw, sh, dx, dy, dw, dh);
@@ -8208,6 +10030,25 @@ public class PApplet extends Applet
}
+ /**
+ * Copies a region of pixels from one image into another. If the source and destination regions aren't the same size, it will automatically resize source pixels to fit the specified target region. No alpha information is used in the process, however if the source image has an alpha channel set, it will be copied as well.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies the entire image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destination's upper left corner
+ * @param dy Y coordinate of the destination's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param src an image variable referring to the source image.
+ *
+ * @see processing.core.PGraphics#alpha(int)
+ * @see processing.core.PImage#blend(PImage, int, int, int, int, int, int, int, int, int)
+ */
public void copy(PImage src,
int sx, int sy, int sw, int sh,
int dx, int dy, int dw, int dh) {
@@ -8216,11 +10057,80 @@ public class PApplet extends Applet
}
+ /**
+ * Blend two colors based on a particular mode.
+ *
+ *
+ *
+ * BLEND - linear interpolation of colours: C = A*factor + B
+ * ADD - additive blending with white clip: C = min(A*factor + B, 255)
+ * SUBTRACT - subtractive blending with black clip: C = max(B - A*factor, 0)
+ * DARKEST - only the darkest colour succeeds: C = min(A*factor, B)
+ * LIGHTEST - only the lightest colour succeeds: C = max(A*factor, B)
+ * DIFFERENCE - subtract colors from underlying image.
+ * EXCLUSION - similar to DIFFERENCE, but less extreme.
+ * MULTIPLY - Multiply the colors, result will always be darker.
+ * SCREEN - Opposite multiply, uses inverse values of the colors.
+ * OVERLAY - A mix of MULTIPLY and SCREEN. Multiplies dark values, and screens light values.
+ * HARD_LIGHT - SCREEN when greater than 50% gray, MULTIPLY when lower.
+ * SOFT_LIGHT - Mix of DARKEST and LIGHTEST. Works like OVERLAY, but not as harsh.
+ * DODGE - Lightens light tones and increases contrast, ignores darks. Called "Color Dodge" in Illustrator and Photoshop.
+ * BURN - Darker areas are applied, increasing contrast, ignores lights. Called "Color Burn" in Illustrator and Photoshop.
+ * All modes use the alpha information (highest byte) of source image pixels as the blending factor. If the source and destination regions are different sizes, the image will be automatically resized to match the destination size. If the srcImg parameter is not used, the display window is used as the source image.
+ * As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies a pixel or rectangle of pixels using different blending modes
+ * @param src an image variable referring to the source image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destinations's upper left corner
+ * @param dy Y coordinate of the destinations's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param mode Either BLEND, ADD, SUBTRACT, LIGHTEST, DARKEST, DIFFERENCE, EXCLUSION, MULTIPLY, SCREEN, OVERLAY, HARD_LIGHT, SOFT_LIGHT, DODGE, BURN
+ *
+ * @see processing.core.PGraphics#alpha(int)
+ * @see processing.core.PGraphics#copy(PImage, int, int, int, int, int, int, int, int)
+ * @see processing.core.PImage#blendColor(int,int,int)
+ */
public void blend(PImage src,
int sx, int sy, int sw, int sh,
int dx, int dy, int dw, int dh, int mode) {
diff --git a/core/src/processing/core/PConstants.java b/core/src/processing/core/PConstants.java
index 24f0b9fa8..f1eae5882 100644
--- a/core/src/processing/core/PConstants.java
+++ b/core/src/processing/core/PConstants.java
@@ -34,6 +34,8 @@ import java.awt.event.KeyEvent;
* An attempt is made to keep the constants as short/non-verbose
* as possible. For instance, the constant is TIFF instead of
* FILE_TYPE_TIFF. We'll do this as long as we can get away with it.
+ *
+ * @usage Web & Application
*/
public interface PConstants {
@@ -158,11 +160,52 @@ public interface PConstants {
// useful goodness
-
+
+ /**
+ * PI is a mathematical constant with the value 3.14159265358979323846.
+ * It is the ratio of the circumference of a circle to its diameter.
+ * It is useful in combination with the trigonometric functions sin() and cos().
+ *
+ * @webref constants
+ * @see processing.core.PConstants#HALF_PI
+ * @see processing.core.PConstants#TWO_PI
+ * @see processing.core.PConstants#QUARTER_PI
+ *
+ */
static final float PI = (float) Math.PI;
+ /**
+ * HALF_PI is a mathematical constant with the value 1.57079632679489661923.
+ * It is half the ratio of the circumference of a circle to its diameter.
+ * It is useful in combination with the trigonometric functions sin() and cos().
+ *
+ * @webref constants
+ * @see processing.core.PConstants#PI
+ * @see processing.core.PConstants#TWO_PI
+ * @see processing.core.PConstants#QUARTER_PI
+ */
static final float HALF_PI = PI / 2.0f;
static final float THIRD_PI = PI / 3.0f;
+ /**
+ * QUARTER_PI is a mathematical constant with the value 0.7853982.
+ * It is one quarter the ratio of the circumference of a circle to its diameter.
+ * It is useful in combination with the trigonometric functions sin() and cos().
+ *
+ * @webref constants
+ * @see processing.core.PConstants#PI
+ * @see processing.core.PConstants#TWO_PI
+ * @see processing.core.PConstants#HALF_PI
+ */
static final float QUARTER_PI = PI / 4.0f;
+ /**
+ * TWO_PI is a mathematical constant with the value 6.28318530717958647693.
+ * It is twice the ratio of the circumference of a circle to its diameter.
+ * It is useful in combination with the trigonometric functions sin() and cos().
+ *
+ * @webref constants
+ * @see processing.core.PConstants#PI
+ * @see processing.core.PConstants#HALF_PI
+ * @see processing.core.PConstants#QUARTER_PI
+ */
static final float TWO_PI = PI * 2.0f;
static final float DEG_TO_RAD = PI/180.0f;
diff --git a/core/src/processing/core/PFont.java b/core/src/processing/core/PFont.java
index 74da5cb18..421cfb09e 100644
--- a/core/src/processing/core/PFont.java
+++ b/core/src/processing/core/PFont.java
@@ -3,13 +3,12 @@
/*
Part of the Processing project - http://processing.org
- Copyright (c) 2004-07 Ben Fry & Casey Reas
+ Copyright (c) 2004-10 Ben Fry & Casey Reas
Copyright (c) 2001-04 Massachusetts Institute of Technology
This library is free software; you can redistribute it and/or
- modify it under the terms of the GNU Lesser General Public
- License as published by the Free Software Foundation; either
- version 2.1 of the License, or (at your option) any later version.
+ modify it under the terms of version 2.01 of the GNU Lesser General
+ Public License as published by the Free Software Foundation.
This library is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
@@ -25,17 +24,16 @@
package processing.core;
import java.awt.*;
-import java.awt.image.BufferedImage;
-import java.awt.image.Raster;
+import java.awt.image.*;
import java.io.*;
-//import java.lang.reflect.*;
import java.util.Arrays;
+import java.util.HashMap;
/**
* Grayscale bitmap font class used by Processing.
*
* |
* | height is the full used height of the image
@@ -56,8 +54,60 @@ import java.util.Arrays;
*/
public class PFont implements PConstants {
- public int charCount;
- public PImage images[];
+ /** Number of character glyphs in this font. */
+ protected int glyphCount;
+
+ /**
+ * Actual glyph data. The length of this array won't necessarily be the
+ * same size as glyphCount, in cases where lazy font loading is in use.
+ */
+ protected Glyph[] glyphs;
+
+ /**
+ * Name of the font as seen by Java when it was created.
+ * If the font is available, the native version will be used.
+ */
+ protected String name;
+
+ /**
+ * Postscript name of the font that this bitmap was created from.
+ */
+ protected String psname;
+
+ /**
+ * The original size of the font when it was first created
+ */
+ protected int size;
+
+ /** true if smoothing was enabled for this font, used for native impl */
+ protected boolean smooth;
+
+ /**
+ * The ascent of the font. If the 'd' character is present in this PFont,
+ * this value is replaced with its pixel height, because the values returned
+ * by FontMetrics.getAscent() seem to be terrible.
+ */
+ protected int ascent;
+
+ /**
+ * The descent of the font. If the 'p' character is present in this PFont,
+ * this value is replaced with its lowest pixel height, because the values
+ * returned by FontMetrics.getDescent() are gross.
+ */
+ protected int descent;
+
+ /**
+ * A more efficient array lookup for straight ASCII characters. For Unicode
+ * characters, a QuickSort-style search is used.
+ */
+ protected int[] ascii;
+
+ /**
+ * True if this font is set to load dynamically. This is the default when
+ * createFont() method is called without a character set. Bitmap versions of
+ * characters are only created when prompted by an index() call.
+ */
+ protected boolean lazy;
/**
* Native Java version of the font. If possible, this allows the
@@ -65,70 +115,179 @@ public class PFont implements PConstants {
* in situations where that's faster.
*/
protected Font font;
+
+ /** True if this font was loaded from a stream, rather than from the OS. */
+ protected boolean stream;
+
+ /**
+ * True if we've already tried to find the native AWT version of this font.
+ */
protected boolean fontSearched;
/**
- * Name of the font as seen by Java when it was created.
- * If the font is available, the native version will be used.
+ * Array of the native system fonts. Used to lookup native fonts by their
+ * PostScript name. This is a workaround for a several year old Apple Java
+ * bug that they can't be bothered to fix.
*/
- public String name;
-
- /**
- * Postscript name of the font that this bitmap was created from.
- */
- public String psname;
-
- /** "natural" size of the font (most often 48) */
- public int size;
-
- /** true if smoothing was enabled for this font, used for native impl */
- public boolean smooth;
-
- /** next power of 2 over the max image size (usually 64) */
- public int mbox2;
-
- /** floating point width (convenience) */
- protected float fwidth;
-
- /** floating point width (convenience) */
- protected float fheight;
-
- /** texture width, same as mbox2, but reserved for future use */
- public int twidth;
-
- /** texture height, same as mbox2, but reserved for future use */
- public int theight;
-
- public int value[]; // char code
- public int height[]; // height of the bitmap data
- public int width[]; // width of bitmap data
- public int setWidth[]; // width displaced by the char
- public int topExtent[]; // offset for the top
- public int leftExtent[]; // offset for the left
-
- public int ascent;
- public int descent;
-
- protected int ascii[]; // quick lookup for the ascii chars
-
- // shared by the text() functions to avoid incessant allocation of memory
- //protected char textBuffer[] = new char[8 * 1024];
- //protected char widthBuffer[] = new char[8 * 1024];
-
static protected Font[] fonts;
+ static protected HashMap
+ *
+ * @webref shape:3d_primitives
+ * @param r the radius of the sphere
*/
public void sphere(float r) {
if ((sphereDetailU < 3) || (sphereDetailV < 2)) {
@@ -1825,14 +2036,18 @@ public class PGraphics extends PImage implements PConstants {
// BEZIER
+ /**
+ * Evaluates the Bezier at point t for points a, b, c, d. The parameter t varies between 0 and 1, a and d are points on the curve, and b and c are the control points. This can be done once with the x coordinates and a second time with the y coordinates to get the location of a bezier curve at t.
+ */
/**
* Evalutes quadratic bezier at point t for points a, b, c, d.
- * t varies between 0 and 1, and a and d are the on curve points,
- * b and c are the control points. this can be done once with the
- * x coordinates and a second time with the y coordinates to get
- * the location of a bezier curve at t.
- * Subclassing and initializing PGraphics objects
@@ -106,6 +113,14 @@ import java.util.HashMap;
* to be done once—it's a matter of keeping the multiple references
* synchronized (to say nothing of the translation issues), while targeting
* them for their separate audiences. Ouch.
+ *
+ * We're working right now on synchronizing the two references, so the website reference
+ * is generated from the javadoc comments. Yay.
+ *
+ * @webref rendering
+ * @instanceName graphics any object of the type PGraphics
+ * @usage Web & Application
+ * @see processing.core.PApplet#createGraphics(int, int, String)
*/
public class PGraphics extends PImage implements PConstants {
@@ -540,6 +555,7 @@ public class PGraphics extends PImage implements PConstants {
* the defaults get set properly. In a subclass, use this(w, h)
* as the first line of a subclass' constructor to properly set
* the internal fields and defaults.
+ *
*/
public PGraphics() {
}
@@ -627,20 +643,28 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Prepares the PGraphics for drawing.
+ * Sets the default properties for a PGraphics object. It should be called before anything is drawn into the object.
+ * =advanced
*
* When creating your own PGraphics, you should call this before
* drawing anything.
+ *
+ * @webref
+ * @brief Sets up the rendering context
*/
public void beginDraw() { // ignore
}
/**
- * This will finalize rendering so that it can be shown on-screen.
+ * Finalizes the rendering of a PGraphics object so that it can be shown on screen.
+ * =advanced
*
* When creating your own PGraphics, you should call this when
* you're finished drawing.
+ *
+ * @webref
+ * @brief Finalizes the renderering context
*/
public void endDraw() { // ignore
}
@@ -673,8 +697,12 @@ public class PGraphics extends PImage implements PConstants {
colorMode(RGB, 255);
fill(255);
stroke(0);
- // other stroke attributes are set in the initializers
- // inside the class (see above, strokeWeight = 1 et al)
+
+ // as of 0178, no longer relying on local versions of the variables
+ // being set, because subclasses may need to take extra action.
+ strokeWeight(DEFAULT_STROKE_WEIGHT);
+ strokeJoin(DEFAULT_STROKE_JOIN);
+ strokeCap(DEFAULT_STROKE_CAP);
// init shape stuff
shape = 0;
@@ -781,22 +809,22 @@ public class PGraphics extends PImage implements PConstants {
// HINTS
/**
- * Enable a hint option.
- *
- *
+ * Set various hints and hacks for the renderer. This is used to handle obscure rendering features that cannot be implemented in a consistent manner across renderers. Many options will often graduate to standard features instead of hints over time.
+ *
hint(ENABLE_OPENGL_4X_SMOOTH) - Enable 4x anti-aliasing for OpenGL. This can help force anti-aliasing if it has not been enabled by the user. On some graphics cards, this can also be set by the graphics driver's control panel, however not all cards make this available. This hint must be called immediately after the size() command because it resets the renderer, obliterating any settings and anything drawn (and like size(), re-running the code that came before it again).
+ *
hint(DISABLE_OPENGL_2X_SMOOTH) - In Processing 1.0, Processing always enables 2x smoothing when the OpenGL renderer is used. This hint disables the default 2x smoothing and returns the smoothing behavior found in earlier releases, where smooth() and noSmooth() could be used to enable and disable smoothing, though the quality was inferior.
+ *
hint(ENABLE_NATIVE_FONTS) - Use the native version fonts when they are installed, rather than the bitmapped version from a .vlw file. This is useful with the JAVA2D renderer setting, as it will improve font rendering speed. This is not enabled by default, because it can be misleading while testing because the type will look great on your machine (because you have the font installed) but lousy on others' machines if the identical font is unavailable. This option can only be set per-sketch, and must be called before any use of textFont().
+ *
hint(DISABLE_DEPTH_TEST) - Disable the zbuffer, allowing you to draw on top of everything at will. When depth testing is disabled, items will be drawn to the screen sequentially, like a painting. This hint is most often used to draw in 3D, then draw in 2D on top of it (for instance, to draw GUI controls in 2D on top of a 3D interface). Starting in release 0149, this will also clear the depth buffer. Restore the default with hint(ENABLE_DEPTH_TEST), but note that with the depth buffer cleared, any 3D drawing that happens later in draw() will ignore existing shapes on the screen.
+ *
hint(ENABLE_DEPTH_SORT) - Enable primitive z-sorting of triangles and lines in P3D and OPENGL. This can slow performance considerably, and the algorithm is not yet perfect. Restore the default with hint(DISABLE_DEPTH_SORT).
+ *
hint(DISABLE_OPENGL_ERROR_REPORT) - Speeds up the OPENGL renderer setting by not checking for errors while running. Undo with hint(ENABLE_OPENGL_ERROR_REPORT).
+ *
As of release 0149, unhint() has been removed in favor of adding additional ENABLE/DISABLE constants to reset the default behavior. This prevents the double negatives, and also reinforces which hints can be enabled or disabled.
+ *
+ * @webref rendering
+ * @param which name of the hint to be enabled or disabled
+ *
+ * @see processing.core.PGraphics
+ * @see processing.core.PApplet#createGraphics(int, int, String, String)
+ * @see processing.core.PApplet#size(int, int)
*/
public void hint(int which) {
if (which > 0) {
@@ -1394,6 +1422,26 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Draws a point, a coordinate in space at the dimension of one pixel.
+ * The first parameter is the horizontal value for the point, the second
+ * value is the vertical value for the point, and the optional third value
+ * is the depth value. Drawing this shape in 3D using the z
+ * parameter requires the P3D or OPENGL parameter in combination with
+ * size as shown in the above example.
+ *
Due to what appears to be a bug in Apple's Java implementation,
+ * the point() and set() methods are extremely slow in some circumstances
+ * when used with the default renderer. Using P2D or P3D will fix the
+ * problem. Grouping many calls to point() or set() together can also
+ * help. (Bug 1094)
+ *
+ * @webref shape:2d_primitives
+ * @param x x-coordinate of the point
+ * @param y y-coordinate of the point
+ * @param z z-coordinate of the point
+ *
+ * @see PGraphics#beginShape()
+ */
public void point(float x, float y, float z) {
beginShape(POINTS);
vertex(x, y, z);
@@ -1409,6 +1457,32 @@ public class PGraphics extends PImage implements PConstants {
}
+
+ /**
+ * Draws a line (a direct path between two points) to the screen.
+ * The version of line() with four parameters draws the line in 2D.
+ * To color a line, use the stroke() function. A line cannot be
+ * filled, therefore the fill() method will not affect the color
+ * of a line. 2D lines are drawn with a width of one pixel by default,
+ * but this can be changed with the strokeWeight() function.
+ * The version with six parameters allows the line to be placed anywhere
+ * within XYZ space. Drawing this shape in 3D using the z parameter
+ * requires the P3D or OPENGL parameter in combination with size as shown
+ * in the above example.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first point
+ * @param y1 y-coordinate of the first point
+ * @param z1 z-coordinate of the first point
+ * @param x2 x-coordinate of the second point
+ * @param y2 y-coordinate of the second point
+ * @param z2 z-coordinate of the second point
+ *
+ * @see PGraphics#strokeWeight(float)
+ * @see PGraphics#strokeJoin(int)
+ * @see PGraphics#strokeCap(int)
+ * @see PGraphics#beginShape()
+ */
public void line(float x1, float y1, float z1,
float x2, float y2, float z2) {
beginShape(LINES);
@@ -1418,6 +1492,21 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * A triangle is a plane created by connecting three points. The first two
+ * arguments specify the first point, the middle two arguments specify
+ * the second point, and the last two arguments specify the third point.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first point
+ * @param y1 y-coordinate of the first point
+ * @param x2 x-coordinate of the second point
+ * @param y2 y-coordinate of the second point
+ * @param x3 x-coordinate of the third point
+ * @param y3 y-coordinate of the third point
+ *
+ * @see PApplet#beginShape()
+ */
public void triangle(float x1, float y1, float x2, float y2,
float x3, float y3) {
beginShape(TRIANGLES);
@@ -1428,6 +1517,24 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * A quad is a quadrilateral, a four sided polygon. It is similar to
+ * a rectangle, but the angles between its edges are not constrained
+ * ninety degrees. The first pair of parameters (x1,y1) sets the
+ * first vertex and the subsequent pairs should proceed clockwise or
+ * counter-clockwise around the defined shape.
+ *
+ * @webref shape:2d_primitives
+ * @param x1 x-coordinate of the first corner
+ * @param y1 y-coordinate of the first corner
+ * @param x2 x-coordinate of the second corner
+ * @param y2 y-coordinate of the second corner
+ * @param x3 x-coordinate of the third corner
+ * @param y3 y-coordinate of the third corner
+ * @param x4 x-coordinate of the fourth corner
+ * @param y4 y-coordinate of the fourth corner
+ *
+ */
public void quad(float x1, float y1, float x2, float y2,
float x3, float y3, float x4, float y4) {
beginShape(QUADS);
@@ -1450,6 +1557,21 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Draws a rectangle to the screen. A rectangle is a four-sided shape with
+ * every angle at ninety degrees. The first two parameters set the location,
+ * the third sets the width, and the fourth sets the height. The origin is
+ * changed with the rectMode() function.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the rectangle
+ * @param b y-coordinate of the rectangle
+ * @param c width of the rectangle
+ * @param d height of the rectangle
+ *
+ * @see PGraphics#rectMode(int)
+ * @see PGraphics#quad(float, float, float, float, float, float, float, float)
+ */
public void rect(float a, float b, float c, float d) {
float hradius, vradius;
switch (rectMode) {
@@ -1498,11 +1620,42 @@ public class PGraphics extends PImage implements PConstants {
// ELLIPSE AND ARC
+ /**
+ * The origin of the ellipse is modified by the ellipseMode()
+ * function. The default configuration is ellipseMode(CENTER),
+ * which specifies the location of the ellipse as the center of the shape.
+ * The RADIUS mode is the same, but the width and height parameters to
+ * ellipse() specify the radius of the ellipse, rather than the
+ * diameter. The CORNER mode draws the shape from the upper-left corner
+ * of its bounding box. The CORNERS mode uses the four parameters to
+ * ellipse() to set two opposing corners of the ellipse's bounding
+ * box. The parameter must be written in "ALL CAPS" because Processing
+ * syntax is case sensitive.
+ *
+ * @webref shape:attributes
+ *
+ * @param mode Either CENTER, RADIUS, CORNER, or CORNERS.
+ * @see PApplet#ellipse(float, float, float, float)
+ */
public void ellipseMode(int mode) {
ellipseMode = mode;
}
+ /**
+ * Draws an ellipse (oval) in the display window. An ellipse with an equal
+ * width and height is a circle. The first two parameters set
+ * the location, the third sets the width, and the fourth sets the height.
+ * The origin may be changed with the ellipseMode() function.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the ellipse
+ * @param b y-coordinate of the ellipse
+ * @param c width of the ellipse
+ * @param d height of the ellipse
+ *
+ * @see PApplet#ellipseMode(int)
+ */
public void ellipse(float a, float b, float c, float d) {
float x = a;
float y = b;
@@ -1543,13 +1696,24 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Identical parameters and placement to ellipse,
- * but draws only an arc of that ellipse.
- *
- * start and stop are always radians because angleMode() was goofy.
- * ellipseMode() sets the placement.
- *
- * also tries to be smart about start < stop.
+ * Draws an arc in the display window.
+ * Arcs are drawn along the outer edge of an ellipse defined by the
+ * x, y, width and height parameters.
+ * The origin or the arc's ellipse may be changed with the
+ * ellipseMode() function.
+ * The start and stop parameters specify the angles
+ * at which to draw the arc.
+ *
+ * @webref shape:2d_primitives
+ * @param a x-coordinate of the arc's ellipse
+ * @param b y-coordinate of the arc's ellipse
+ * @param c width of the arc's ellipse
+ * @param d height of the arc's ellipse
+ * @param start angle to start the arc, specified in radians
+ * @param stop angle to stop the arc, specified in radians
+ *
+ * @see PGraphics#ellipseMode(int)
+ * @see PGraphics#ellipse(float, float, float, float)
*/
public void arc(float a, float b, float c, float d,
float start, float stop) {
@@ -1577,7 +1741,7 @@ public class PGraphics extends PImage implements PConstants {
if (Float.isInfinite(start) || Float.isInfinite(stop)) return;
// while (stop < start) stop += TWO_PI;
if (stop < start) return; // why bother
-
+
// make sure that we're starting at a useful point
while (start < 0) {
start += TWO_PI;
@@ -1610,18 +1774,33 @@ public class PGraphics extends PImage implements PConstants {
// BOX
+ /**
+ * @param size dimension of the box in all dimensions, creates a cube
+ */
public void box(float size) {
box(size, size, size);
}
- // TODO not the least bit efficient, it even redraws lines
- // along the vertices. ugly ugly ugly!
+ /**
+ * A box is an extruded rectangle. A box with equal dimension
+ * on all sides is a cube.
+ *
+ * @webref shape:3d_primitives
+ * @param w dimension of the box in the x-dimension
+ * @param h dimension of the box in the y-dimension
+ * @param d dimension of the box in the z-dimension
+ *
+ * @see PApplet#sphere(float)
+ */
public void box(float w, float h, float d) {
float x1 = -w/2f; float x2 = w/2f;
float y1 = -h/2f; float y2 = h/2f;
float z1 = -d/2f; float z2 = d/2f;
+ // TODO not the least bit efficient, it even redraws lines
+ // along the vertices. ugly ugly ugly!
+
beginShape(QUADS);
// front
@@ -1676,17 +1855,44 @@ public class PGraphics extends PImage implements PConstants {
// SPHERE
+ /**
+ * @param res number of segments (minimum 3) used per full circle revolution
+ */
public void sphereDetail(int res) {
sphereDetail(res, res);
}
+ /**
+ * Controls the detail used to render a sphere by adjusting the number of
+ * vertices of the sphere mesh. The default resolution is 30, which creates
+ * a fairly detailed sphere definition with vertices every 360/30 = 12
+ * degrees. If you're going to render a great number of spheres per frame,
+ * it is advised to reduce the level of detail using this function.
+ * The setting stays active until sphereDetail() is called again with
+ * a new parameter and so should not be called prior to every
+ * sphere() statement, unless you wish to render spheres with
+ * different settings, e.g. using less detail for smaller spheres or ones
+ * further away from the camera. To control the detail of the horizontal
+ * and vertical resolution independently, use the version of the functions
+ * with two parameters.
+ *
+ * =advanced
+ * Code for sphereDetail() submitted by toxi [031031].
+ * Code for enhanced u/v version from davbol [080801].
+ *
+ * @webref shape:3d_primitives
+ * @param ures number of segments used horizontally (longitudinally)
+ * per full circle revolution
+ * @param vres number of segments used vertically (latitudinally)
+ * from top to bottom
+ *
+ * @see PGraphics#sphere(float)
+ */
/**
* Set the detail level for approximating a sphere. The ures and vres params
* control the horizontal and vertical resolution.
*
- * Code for sphereDetail() submitted by toxi [031031].
- * Code for enhanced u/v version from davbol [080801].
*/
public void sphereDetail(int ures, int vres) {
if (ures < 3) ures = 3; // force a minimum res
@@ -1732,6 +1938,8 @@ public class PGraphics extends PImage implements PConstants {
/**
* Draw a sphere with radius r centered at coordinate 0, 0, 0.
+ * A sphere is a hollow ball made from tessellated triangles.
+ * =advanced
*
* stroke(255, 102, 0);
* line(85, 20, 10, 10);
@@ -1852,6 +2067,17 @@ public class PGraphics extends PImage implements PConstants {
* vertex(x, y);
* }
* endShape();
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
*/
public float bezierPoint(float a, float b, float c, float d, float t) {
float t1 = 1.0f - t;
@@ -1860,8 +2086,22 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Provide the tangent at the given point on the bezier curve.
- * Fix from davbol for 0136.
+ * Calculates the tangent of a point on a Bezier curve. There is a good
+ * definition of "tangent" at Wikipedia: http://en.wikipedia.org/wiki/Tangent
+ *
+ * =advanced
+ * Code submitted by Dave Bollinger (davol) for release 0136.
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
*/
public float bezierTangent(float a, float b, float c, float d, float t) {
return (3*t*t * (-a+3*b-3*c+d) +
@@ -1884,6 +2124,16 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Sets the resolution at which Beziers display. The default value is 20. This function is only useful when using the P3D or OPENGL renderer as the default (JAVA2D) renderer does not use this information.
+ *
+ * @webref shape:curves
+ * @param detail resolution of the curves
+ *
+ * @see PApplet#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PApplet#curveVertex(float, float)
+ * @see PApplet#curveTightness(float)
+ */
public void bezierDetail(int detail) {
bezierDetail = detail;
@@ -1903,6 +2153,15 @@ public class PGraphics extends PImage implements PConstants {
/**
+ * Draws a Bezier curve on the screen. These curves are defined by a series
+ * of anchor and control points. The first two parameters specify the first
+ * anchor point and the last two parameters specify the other anchor point.
+ * The middle parameters specify the control points which define the shape
+ * of the curve. Bezier curves were developed by French engineer Pierre
+ * Bezier. Using the 3D version of requires rendering with P3D or OPENGL
+ * (see the Environment reference for more information).
+ *
+ * =advanced
* Draw a cubic bezier curve. The first and last points are
* the on-curve points. The middle two are the 'control' points,
* or 'handles' in an application like Illustrator.
@@ -1924,6 +2183,23 @@ public class PGraphics extends PImage implements PConstants {
* To draw a quadratic (instead of cubic) curve,
* use the control point twice by doubling it:
* bezier(x1, y1, cx, cy, cx, cy, x2, y2);
+ *
+ * @webref shape:curves
+ * @param x1 coordinates for the first anchor point
+ * @param y1 coordinates for the first anchor point
+ * @param z1 coordinates for the first anchor point
+ * @param x2 coordinates for the first control point
+ * @param y2 coordinates for the first control point
+ * @param z2 coordinates for the first control point
+ * @param x3 coordinates for the second control point
+ * @param y3 coordinates for the second control point
+ * @param z3 coordinates for the second control point
+ * @param x4 coordinates for the second anchor point
+ * @param y4 coordinates for the second anchor point
+ * @param z4 coordinates for the second anchor point
+ *
+ * @see PGraphics#bezierVertex(float, float, float, float, float, float)
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
*/
public void bezier(float x1, float y1,
float x2, float y2,
@@ -1956,9 +2232,22 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Get a location along a catmull-rom curve segment.
+ * Evalutes the Catmull-Rom curve at point t for points a, b, c, d. The
+ * parameter t varies between 0 and 1, a and d are points on the curve,
+ * and b and c are the control points. This can be done once with the x
+ * coordinates and a second time with the y coordinates to get the
+ * location of a curve at t.
*
- * @param t Value between zero and one for how far along the segment
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of second point on the curve
+ * @param c coordinate of third point on the curve
+ * @param d coordinate of fourth point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#bezierPoint(float, float, float, float, float)
*/
public float curvePoint(float a, float b, float c, float d, float t) {
curveInitCheck();
@@ -1976,8 +2265,22 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Calculate the tangent at a t value (0..1) on a Catmull-Rom curve.
+ * Calculates the tangent of a point on a Catmull-Rom curve. There is a good definition of "tangent" at Wikipedia: http://en.wikipedia.org/wiki/Tangent.
+ *
+ * =advanced
* Code thanks to Dave Bollinger (Bug #715)
+ *
+ * @webref shape:curves
+ * @param a coordinate of first point on the curve
+ * @param b coordinate of first control point
+ * @param c coordinate of second control point
+ * @param d coordinate of second point on the curve
+ * @param t value between 0 and 1
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curvePoint(float, float, float, float, float)
+ * @see PGraphics#bezierTangent(float, float, float, float, float)
*/
public float curveTangent(float a, float b, float c, float d, float t) {
curveInitCheck();
@@ -1994,12 +2297,41 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Sets the resolution at which curves display. The default value is 20.
+ * This function is only useful when using the P3D or OPENGL renderer as
+ * the default (JAVA2D) renderer does not use this information.
+ *
+ * @webref shape:curves
+ * @param detail resolution of the curves
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curveTightness(float)
+ */
public void curveDetail(int detail) {
curveDetail = detail;
curveInit();
}
+ /**
+ * Modifies the quality of forms created with curve() and
+ *curveVertex(). The parameter squishy determines how the
+ * curve fits to the vertex points. The value 0.0 is the default value for
+ * squishy (this value defines the curves to be Catmull-Rom splines)
+ * and the value 1.0 connects all the points with straight lines.
+ * Values within the range -5.0 and 5.0 will deform the curves but
+ * will leave them recognizable and as values increase in magnitude,
+ * they will continue to deform.
+ *
+ * @webref shape:curves
+ * @param tightness amount of deformation from the original vertices
+ *
+ * @see PGraphics#curve(float, float, float, float, float, float, float, float, float, float, float, float)
+ * @see PGraphics#curveVertex(float, float)
+ *
+ */
public void curveTightness(float tightness) {
curveTightness = tightness;
curveInit();
@@ -2060,10 +2392,20 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Draws a segment of Catmull-Rom curve.
- *
@@ -2074,6 +2416,24 @@ public class PGraphics extends PImage implements PConstants {
* curveVertex(x4, y4);
* endShape();
*
+ *
+ * @webref shape:curves
+ * @param x1 coordinates for the beginning control point
+ * @param y1 coordinates for the beginning control point
+ * @param z1 coordinates for the beginning control point
+ * @param x2 coordinates for the first point
+ * @param y2 coordinates for the first point
+ * @param z2 coordinates for the first point
+ * @param x3 coordinates for the second point
+ * @param y3 coordinates for the second point
+ * @param z3 coordinates for the second point
+ * @param x4 coordinates for the ending control point
+ * @param y4 coordinates for the ending control point
+ * @param z4 coordinates for the ending control point
+ *
+ * @see PGraphics#curveVertex(float, float)
+ * @see PGraphics#curveTightness(float)
+ * @see PGraphics#bezier(float, float, float, float, float, float, float, float, float, float, float, float)
*/
public void curve(float x1, float y1,
float x2, float y2,
@@ -2158,9 +2518,25 @@ public class PGraphics extends PImage implements PConstants {
/**
- * The mode can only be set to CORNERS, CORNER, and CENTER.
- *
- * Support for CENTER was added in release 0146.
+ * Modifies the location from which images draw. The default mode is
+ * imageMode(CORNER), which specifies the location to be the
+ * upper-left corner and uses the fourth and fifth parameters of
+ * image() to set the image's width and height. The syntax
+ * imageMode(CORNERS) uses the second and third parameters of
+ * image() to set the location of one corner of the image and
+ * uses the fourth and fifth parameters to set the opposite corner.
+ * Use imageMode(CENTER) to draw images centered at the given
+ * x and y position.
+ *
The parameter to imageMode() must be written in
+ * ALL CAPS because Processing syntax is case sensitive.
+ *
+ * @webref image:loading_displaying
+ * @param mode Either CORNER, CORNERS, or CENTER
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ * @see processing.core.PApplet#image(PImage, float, float, float, float)
+ * @see processing.core.PGraphics#background(float, float, float, float)
*/
public void imageMode(int mode) {
if ((mode == CORNER) || (mode == CORNERS) || (mode == CENTER)) {
@@ -2193,6 +2569,39 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Displays images to the screen. The images must be in the sketch's "data"
+ * directory to load correctly. Select "Add file..." from the "Sketch" menu
+ * to add the image. Processing currently works with GIF, JPEG, and Targa
+ * images. The color of an image may be modified with the tint()
+ * function and if a GIF has transparency, it will maintain its transparency.
+ * The img parameter specifies the image to display and the x
+ * and y parameters define the location of the image from its
+ * upper-left corner. The image is displayed at its original size unless
+ * the width and height parameters specify a different size.
+ * The imageMode() function changes the way the parameters work.
+ * A call to imageMode(CORNERS) will change the width and height
+ * parameters to define the x and y values of the opposite corner of the
+ * image.
+ *
+ * =advanced
+ * Starting with release 0124, when using the default (JAVA2D) renderer,
+ * smooth() will also improve image quality of resized images.
+ *
+ * @webref image:loading_displaying
+ * @param image the image to display
+ * @param x x-coordinate of the image
+ * @param y y-coordinate of the image
+ * @param c width to display the image
+ * @param d height to display the image
+ *
+ * @see processing.core.PApplet#loadImage(String, String)
+ * @see processing.core.PImage
+ * @see processing.core.PGraphics#imageMode(int)
+ * @see processing.core.PGraphics#tint(float)
+ * @see processing.core.PGraphics#background(float, float, float, float)
+ * @see processing.core.PGraphics#alpha(int)
+ */
public void image(PImage image, float x, float y, float c, float d) {
image(image, x, y, c, d, 0, 0, image.width, image.height);
}
@@ -2200,7 +2609,7 @@ public class PGraphics extends PImage implements PConstants {
/**
* Draw an image(), also specifying u/v coordinates.
- * In this method, the u, v coordinates are always based on image space
+ * In this method, the u, v coordinates are always based on image space
* location, regardless of the current textureMode().
*/
public void image(PImage image,
@@ -2310,8 +2719,24 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Set the orientation for the shape() command (like imageMode() or rectMode()).
- * @param mode Either CORNER, CORNERS, or CENTER.
+ * Modifies the location from which shapes draw.
+ * The default mode is shapeMode(CORNER), which specifies the
+ * location to be the upper left corner of the shape and uses the third
+ * and fourth parameters of shape() to specify the width and height.
+ * The syntax shapeMode(CORNERS) uses the first and second parameters
+ * of shape() to set the location of one corner and uses the third
+ * and fourth parameters to set the opposite corner.
+ * The syntax shapeMode(CENTER) draws the shape from its center point
+ * and uses the third and forth parameters of shape() to specify the
+ * width and height.
+ * The parameter must be written in "ALL CAPS" because Processing syntax
+ * is case sensitive.
+ *
+ * @param mode One of CORNER, CORNERS, CENTER
+ *
+ * @webref shape:loading_displaying
+ * @see PGraphics#shape(PShape)
+ * @see PGraphics#rectMode(int)
*/
public void shapeMode(int mode) {
this.shapeMode = mode;
@@ -2354,6 +2779,35 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Displays shapes to the screen. The shapes must be in the sketch's "data"
+ * directory to load correctly. Select "Add file..." from the "Sketch" menu
+ * to add the shape.
+ * Processing currently works with SVG shapes only.
+ * The sh parameter specifies the shape to display and the x
+ * and y parameters define the location of the shape from its
+ * upper-left corner.
+ * The shape is displayed at its original size unless the width
+ * and height parameters specify a different size.
+ * The shapeMode() function changes the way the parameters work.
+ * A call to shapeMode(CORNERS), for example, will change the width
+ * and height parameters to define the x and y values of the opposite corner
+ * of the shape.
+ *
+ * Note complex shapes may draw awkwardly with P2D, P3D, and OPENGL. Those
+ * renderers do not yet support shapes that have holes or complicated breaks.
+ *
+ * @param shape
+ * @param x x-coordinate of the shape
+ * @param y y-coordinate of the shape
+ * @param c width to display the shape
+ * @param d height to display the shape
+ *
+ * @webref shape:loading_displaying
+ * @see PShape
+ * @see PGraphics#loadShape(String)
+ * @see PGraphics#shapeMode(int)
+ */
public void shape(PShape shape, float x, float y, float c, float d) {
if (shape.isVisible()) { // don't do expensive matrix ops if invisible
pushMatrix();
@@ -2415,7 +2869,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public float textAscent() {
if (textFont == null) {
- showTextFontException("textAscent");
+ defaultFontOrDeath("textAscent");
}
return textFont.ascent() * ((textMode == SCREEN) ? textFont.size : textSize);
}
@@ -2428,7 +2882,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public float textDescent() {
if (textFont == null) {
- showTextFontException("textDescent");
+ defaultFontOrDeath("textDescent");
}
return textFont.descent() * ((textMode == SCREEN) ? textFont.size : textSize);
}
@@ -2548,17 +3002,11 @@ public class PGraphics extends PImage implements PConstants {
* Sets the text size, also resets the value for the leading.
*/
public void textSize(float size) {
- if (textFont != null) {
-// if ((textMode == SCREEN) && (size != textFont.size)) {
-// throw new RuntimeException("textSize() is ignored with " +
-// "textMode(SCREEN)");
-// }
- textSize = size;
- textLeading = (textAscent() + textDescent()) * 1.275f;
-
- } else {
- showTextFontException("textSize");
+ if (textFont == null) {
+ defaultFontOrDeath("textSize", size);
}
+ textSize = size;
+ textLeading = (textAscent() + textDescent()) * 1.275f;
}
@@ -2577,7 +3025,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public float textWidth(String str) {
if (textFont == null) {
- showTextFontException("textWidth");
+ defaultFontOrDeath("textWidth");
}
int length = str.length();
@@ -2604,14 +3052,14 @@ public class PGraphics extends PImage implements PConstants {
}
- /**
+ /**
* TODO not sure if this stays...
*/
public float textWidth(char[] chars, int start, int length) {
return textWidthImpl(chars, start, start + length);
}
-
-
+
+
/**
* Implementation of returning the text width of
* the chars [start, stop) in the buffer.
@@ -2646,7 +3094,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public void text(char c, float x, float y) {
if (textFont == null) {
- showTextFontException("text");
+ defaultFontOrDeath("text");
}
if (textMode == SCREEN) loadPixels();
@@ -2702,7 +3150,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public void text(String str, float x, float y) {
if (textFont == null) {
- showTextFontException("text");
+ defaultFontOrDeath("text");
}
if (textMode == SCREEN) loadPixels();
@@ -2717,9 +3165,9 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Method to draw text from an array of chars. This method will usually be
- * more efficient than drawing from a String object, because the String will
- * not be converted to a char array before drawing.
+ * Method to draw text from an array of chars. This method will usually be
+ * more efficient than drawing from a String object, because the String will
+ * not be converted to a char array before drawing.
*/
public void text(char[] chars, int start, int stop, float x, float y) {
// If multiple lines, sum the height of the additional lines
@@ -2776,7 +3224,7 @@ public class PGraphics extends PImage implements PConstants {
}
- public void text(char[] chars, int start, int stop,
+ public void text(char[] chars, int start, int stop,
float x, float y, float z) {
if (z != 0) translate(0, 0, z); // slow!
@@ -2785,8 +3233,8 @@ public class PGraphics extends PImage implements PConstants {
if (z != 0) translate(0, 0, -z); // inaccurate!
}
-
-
+
+
/**
* Draw text in a box that is constrained to a particular size.
* The current rectMode() determines what the coordinates mean
@@ -2802,7 +3250,7 @@ public class PGraphics extends PImage implements PConstants {
*/
public void text(String str, float x1, float y1, float x2, float y2) {
if (textFont == null) {
- showTextFontException("text");
+ defaultFontOrDeath("text");
}
if (textMode == SCREEN) loadPixels();
@@ -3080,35 +3528,32 @@ public class PGraphics extends PImage implements PConstants {
protected void textCharImpl(char ch, float x, float y) { //, float z) {
- int index = textFont.index(ch);
- if (index == -1) return;
+ PFont.Glyph glyph = textFont.getGlyph(ch);
+ if (glyph != null) {
+ if (textMode == MODEL) {
+ float high = glyph.height / (float) textFont.size;
+ float bwidth = glyph.width / (float) textFont.size;
+ float lextent = glyph.leftExtent / (float) textFont.size;
+ float textent = glyph.topExtent / (float) textFont.size;
- PImage glyph = textFont.images[index];
+ float x1 = x + lextent * textSize;
+ float y1 = y - textent * textSize;
+ float x2 = x1 + bwidth * textSize;
+ float y2 = y1 + high * textSize;
- if (textMode == MODEL) {
- float high = (float) textFont.height[index] / textFont.fheight;
- float bwidth = (float) textFont.width[index] / textFont.fwidth;
- float lextent = (float) textFont.leftExtent[index] / textFont.fwidth;
- float textent = (float) textFont.topExtent[index] / textFont.fheight;
+ textCharModelImpl(glyph.image,
+ x1, y1, x2, y2,
+ glyph.width, glyph.height);
- float x1 = x + lextent * textSize;
- float y1 = y - textent * textSize;
- float x2 = x1 + bwidth * textSize;
- float y2 = y1 + high * textSize;
+ } else if (textMode == SCREEN) {
+ int xx = (int) x + glyph.leftExtent;
+ int yy = (int) y - glyph.topExtent;
- textCharModelImpl(glyph,
- x1, y1, x2, y2,
- //x1, y1, z, x2, y2, z,
- textFont.width[index], textFont.height[index]);
+ int w0 = glyph.width;
+ int h0 = glyph.height;
- } else if (textMode == SCREEN) {
- int xx = (int) x + textFont.leftExtent[index];;
- int yy = (int) y - textFont.topExtent[index];
-
- int w0 = textFont.width[index];
- int h0 = textFont.height[index];
-
- textCharScreenImpl(glyph, xx, yy, w0, h0);
+ textCharScreenImpl(glyph.image, xx, yy, w0, h0);
+ }
}
}
@@ -3181,7 +3626,8 @@ public class PGraphics extends PImage implements PConstants {
// TODO this can be optimized a bit
for (int row = y0; row < y0 + h0; row++) {
for (int col = x0; col < x0 + w0; col++) {
- int a1 = (fa * pixels1[row * textFont.twidth + col]) >> 8;
+ //int a1 = (fa * pixels1[row * textFont.twidth + col]) >> 8;
+ int a1 = (fa * pixels1[row * glyph.width + col]) >> 8;
int a2 = a1 ^ 0xff;
//int p1 = pixels1[row * glyph.width + col];
int p2 = pixels[(yy + row-y0)*width + (xx+col-x0)];
@@ -3801,6 +4247,14 @@ public class PGraphics extends PImage implements PConstants {
// STROKE COLOR
+ /**
+ * Disables drawing the stroke (outline). If both noStroke() and
+ * noFill() are called, no shapes will be drawn to the screen.
+ *
+ * @webref color:setting
+ *
+ * @see PGraphics#stroke(float, float, float, float)
+ */
public void noStroke() {
stroke = false;
}
@@ -3809,33 +4263,25 @@ public class PGraphics extends PImage implements PConstants {
/**
* Set the tint to either a grayscale or ARGB value.
* See notes attached to the fill() function.
+ * @param rgb color value in hexadecimal notation
+ * (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
*/
public void stroke(int rgb) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
-// stroke((float) rgb);
-//
-// } else {
-// colorCalcARGB(rgb, colorModeA);
-// strokeFromCalc();
-// }
colorCalc(rgb);
strokeFromCalc();
}
public void stroke(int rgb, float alpha) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
-// stroke((float) rgb, alpha);
-//
-// } else {
-// colorCalcARGB(rgb, alpha);
-// strokeFromCalc();
-// }
colorCalc(rgb, alpha);
strokeFromCalc();
}
+ /**
+ *
+ * @param gray specifies a value between white and black
+ */
public void stroke(float gray) {
colorCalc(gray);
strokeFromCalc();
@@ -3854,6 +4300,28 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Sets the color used to draw lines and borders around shapes. This color
+ * is either specified in terms of the RGB or HSB color depending on the
+ * current colorMode() (the default color space is RGB, with each
+ * value in the range from 0 to 255).
+ *
When using hexadecimal notation to specify a color, use "#" or
+ * "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six
+ * digits to specify a color (the way colors are specified in HTML and CSS).
+ * When using the hexadecimal notation starting with "0x", the hexadecimal
+ * value must be specified with eight characters; the first two characters
+ * define the alpha component and the remainder the red, green, and blue
+ * components.
+ *
The value for the parameter "gray" must be less than or equal
+ * to the current maximum value as specified by colorMode().
+ * The default maximum value is 255.
+ *
+ * @webref color:setting
+ * @param alpha opacity of the stroke
+ * @param x red or hue value (depending on the current color mode)
+ * @param y green or saturation value (depending on the current color mode)
+ * @param z blue or brightness value (depending on the current color mode)
+ */
public void stroke(float x, float y, float z, float a) {
colorCalc(x, y, z, a);
strokeFromCalc();
@@ -3881,6 +4349,13 @@ public class PGraphics extends PImage implements PConstants {
// TINT COLOR
+ /**
+ * Removes the current fill value for displaying images and reverts to displaying images with their original hues.
+ *
+ * @webref image:loading_displaying
+ * @see processing.core.PGraphics#tint(float, float, float, float)
+ * @see processing.core.PGraphics#image(PImage, float, float, float, float)
+ */
public void noTint() {
tint = false;
}
@@ -3890,29 +4365,25 @@ public class PGraphics extends PImage implements PConstants {
* Set the tint to either a grayscale or ARGB value.
*/
public void tint(int rgb) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
-// tint((float) rgb);
-//
-// } else {
-// colorCalcARGB(rgb, colorModeA);
-// tintFromCalc();
-// }
colorCalc(rgb);
tintFromCalc();
}
+
+ /**
+ * @param rgb color value in hexadecimal notation
+ * (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
+ * @param alpha opacity of the image
+ */
public void tint(int rgb, float alpha) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
-// tint((float) rgb, alpha);
-//
-// } else {
-// colorCalcARGB(rgb, alpha);
-// tintFromCalc();
-// }
colorCalc(rgb, alpha);
tintFromCalc();
}
+
+ /**
+ * @param gray any valid number
+ */
public void tint(float gray) {
colorCalc(gray);
tintFromCalc();
@@ -3931,6 +4402,35 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Sets the fill value for displaying images. Images can be tinted to
+ * specified colors or made transparent by setting the alpha.
+ *
To make an image transparent, but not change it's color,
+ * use white as the tint color and specify an alpha value. For instance,
+ * tint(255, 128) will make an image 50% transparent (unless
+ * colorMode() has been used).
+ *
+ *
When using hexadecimal notation to specify a color, use "#" or
+ * "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six
+ * digits to specify a color (the way colors are specified in HTML and CSS).
+ * When using the hexadecimal notation starting with "0x", the hexadecimal
+ * value must be specified with eight characters; the first two characters
+ * define the alpha component and the remainder the red, green, and blue
+ * components.
+ *
The value for the parameter "gray" must be less than or equal
+ * to the current maximum value as specified by colorMode().
+ * The default maximum value is 255.
+ *
The tint() method is also used to control the coloring of
+ * textures in 3D.
+ *
+ * @webref image:loading_displaying
+ * @param x red or hue value
+ * @param y green or saturation value
+ * @param z blue or brightness value
+ *
+ * @see processing.core.PGraphics#noTint()
+ * @see processing.core.PGraphics#image(PImage, float, float, float, float)
+ */
public void tint(float x, float y, float z, float a) {
colorCalc(x, y, z, a);
tintFromCalc();
@@ -3958,6 +4458,15 @@ public class PGraphics extends PImage implements PConstants {
// FILL COLOR
+ /**
+ * Disables filling geometry. If both noStroke() and noFill()
+ * are called, no shapes will be drawn to the screen.
+ *
+ * @webref color:setting
+ *
+ * @see PGraphics#fill(float, float, float, float)
+ *
+ */
public void noFill() {
fill = false;
}
@@ -3965,33 +4474,23 @@ public class PGraphics extends PImage implements PConstants {
/**
* Set the fill to either a grayscale value or an ARGB int.
+ * @param rgb color value in hexadecimal notation (i.e. #FFCC00 or 0xFFFFCC00) or any value of the color datatype
*/
public void fill(int rgb) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
-// fill((float) rgb);
-//
-// } else {
-// colorCalcARGB(rgb, colorModeA);
-// fillFromCalc();
-// }
colorCalc(rgb);
fillFromCalc();
}
public void fill(int rgb, float alpha) {
-// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) { // see above
-// fill((float) rgb, alpha);
-//
-// } else {
-// colorCalcARGB(rgb, alpha);
-// fillFromCalc();
-// }
colorCalc(rgb, alpha);
fillFromCalc();
}
+ /**
+ * @param gray number specifying value between white and black
+ */
public void fill(float gray) {
colorCalc(gray);
fillFromCalc();
@@ -4010,6 +4509,24 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Sets the color used to fill shapes. For example, if you run fill(204, 102, 0), all subsequent shapes will be filled with orange. This color is either specified in terms of the RGB or HSB color depending on the current colorMode() (the default color space is RGB, with each value in the range from 0 to 255).
+ *
When using hexadecimal notation to specify a color, use "#" or "0x" before the values (e.g. #CCFFAA, 0xFFCCFFAA). The # syntax uses six digits to specify a color (the way colors are specified in HTML and CSS). When using the hexadecimal notation starting with "0x", the hexadecimal value must be specified with eight characters; the first two characters define the alpha component and the remainder the red, green, and blue components.
+ *
The value for the parameter "gray" must be less than or equal to the current maximum value as specified by colorMode(). The default maximum value is 255.
+ *
To change the color of an image (or a texture), use tint().
+ *
+ * @webref color:setting
+ * @param x red or hue value
+ * @param y green or saturation value
+ * @param z blue or brightness value
+ * @param alpha opacity of the fill
+ *
+ * @see PGraphics#noFill()
+ * @see PGraphics#stroke(float)
+ * @see PGraphics#tint(float)
+ * @see PGraphics#background(float, float, float, float)
+ * @see PGraphics#colorMode(int, float, float, float, float)
+ */
public void fill(float x, float y, float z, float a) {
colorCalc(x, y, z, a);
fillFromCalc();
@@ -4196,6 +4713,7 @@ public class PGraphics extends PImage implements PConstants {
// BACKGROUND
+
/**
* Set the background to a gray or ARGB color.
*
or any value of the color datatype
*/
public void background(int rgb) {
// if (((rgb & 0xff000000) == 0) && (rgb <= colorModeX)) {
@@ -4259,6 +4779,8 @@ public class PGraphics extends PImage implements PConstants {
/**
* See notes about alpha in background(x, y, z, a).
+ * @param gray specifies a value between white and black
+ * @param alpha opacity of the background
*/
public void background(float gray, float alpha) {
if (format == RGB) {
@@ -4284,15 +4806,30 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Clear the background with a color that includes an alpha value. This can
+ * The background() function sets the color used for the background of the Processing window. The default background is light gray. In the draw() function, the background color is used to clear the display window at the beginning of each frame.
+ *
An image can also be used as the background for a sketch, however its width and height must be the same size as the sketch window. To resize an image 'b' to the size of the sketch window, use b.resize(width, height).
+ *
Images used as background will ignore the current tint() setting.
+ *
It is not possible to use transparency (alpha) in background colors with the main drawing surface, however they will work properly with createGraphics.
+ *
+ * =advanced
+ *
The red() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use the >> (right shift) operator with a bit mask. For example, the following two lines of code are equivalent:float r1 = red(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ * @ref rightshift
+ */
public final float red(int what) {
float c = (what >> 16) & 0xff;
if (colorModeDefault) return c;
@@ -4758,6 +5331,19 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Extracts the green value from a color, scaled to match current colorMode(). This value is always returned as a float so be careful not to assign it to an int value.
float r2 = myColor >> 16 & 0xFF;
The green() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use the >> (right shift) operator with a bit mask. For example, the following two lines of code are equivalent:float r1 = green(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ * @ref rightshift
+ */
public final float green(int what) {
float c = (what >> 8) & 0xff;
if (colorModeDefault) return c;
@@ -4765,6 +5351,18 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Extracts the blue value from a color, scaled to match current colorMode(). This value is always returned as a float so be careful not to assign it to an int value.
float r2 = myColor >> 8 & 0xFF;
The blue() function is easy to use and undestand, but is slower than another technique. To achieve the same results when working in colorMode(RGB, 255), but with greater speed, use a bit mask to remove the other color components. For example, the following two lines of code are equivalent:float r1 = blue(myColor);
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ */
public final float blue(int what) {
float c = (what) & 0xff;
if (colorModeDefault) return c;
@@ -4772,6 +5370,18 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Extracts the hue value from a color.
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#saturation(int)
+ * @see PGraphics#brightness(int)
+ */
public final float hue(int what) {
if (what != cacheHsbKey) {
Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
@@ -4782,6 +5392,18 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Extracts the saturation value from a color.
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#brightness(int)
+ */
public final float saturation(int what) {
if (what != cacheHsbKey) {
Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
@@ -4792,6 +5414,19 @@ public class PGraphics extends PImage implements PConstants {
}
+ /**
+ * Extracts the brightness value from a color.
+ *
+ *
+ * @webref color:creating_reading
+ * @param what any value of the color datatype
+ *
+ * @see PGraphics#red(int)
+ * @see PGraphics#green(int)
+ * @see PGraphics#blue(int)
+ * @see PGraphics#hue(int)
+ * @see PGraphics#saturation(int)
+ */
public final float brightness(int what) {
if (what != cacheHsbKey) {
Color.RGBtoHSB((what >> 16) & 0xff, (what >> 8) & 0xff,
@@ -4811,7 +5446,15 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Interpolate between two colors, using the current color mode.
+ * Calculates a color or colors between two color at a specific increment. The amt parameter is the amount to interpolate between the two values where 0.0 equal to the first point, 0.1 is very near the first point, 0.5 is half-way in between, etc.
+ *
+ * @webref color:creating_reading
+ * @param c1 interpolate from this color
+ * @param c2 interpolate to this color
+ * @param amt between 0.0 and 1.0
+ *
+ * @see PGraphics#blendColor(int, int, int)
+ * @see PGraphics#color(float, float, float, float)
*/
public int lerpColor(int c1, int c2, float amt) {
return lerpColor(c1, c2, amt, colorMode);
@@ -5007,11 +5650,24 @@ public class PGraphics extends PImage implements PConstants {
/**
- * Throw an exeption that halts the program because textFont() has not been
- * used prior to the specified method.
+ * Same as below, but defaults to a 12 point font, just as MacWrite intended.
*/
- static protected void showTextFontException(String method) {
- throw new RuntimeException("Use textFont() before " + method + "()");
+ protected void defaultFontOrDeath(String method) {
+ defaultFontOrDeath(method, 12);
+ }
+
+
+ /**
+ * First try to create a default font, but if that's not possible, throw
+ * an exception that halts the program because textFont() has not been used
+ * prior to the specified method.
+ */
+ protected void defaultFontOrDeath(String method, float size) {
+ if (parent != null) {
+ textFont = parent.createDefaultFont(size);
+ } else {
+ throw new RuntimeException("Use textFont() before " + method + "()");
+ }
}
diff --git a/core/src/processing/core/PGraphics3D.java b/core/src/processing/core/PGraphics3D.java
index 57dde4343..2a47d9547 100644
--- a/core/src/processing/core/PGraphics3D.java
+++ b/core/src/processing/core/PGraphics3D.java
@@ -52,9 +52,13 @@ public class PGraphics3D extends PGraphics {
/** Inverse modelview matrix, used for lighting. */
public PMatrix3D modelviewInv;
- /**
- * The camera matrix, the modelview will be set to this on beginDraw.
+ /**
+ * Marks when changes to the size have occurred, so that the camera
+ * will be reset in beginDraw().
*/
+ protected boolean sizeChanged;
+
+ /** The camera matrix, the modelview will be set to this on beginDraw. */
public PMatrix3D camera;
/** Inverse camera matrix */
@@ -306,6 +310,9 @@ public class PGraphics3D extends PGraphics {
* the pixel buffer for the new size.
*
* Note that this will nuke any cameraMode() settings.
+ *
+ * No drawing can happen in this function, and no talking to the graphics
+ * context. That is, no glXxxx() calls, or other things that change state.
*/
public void setSize(int iwidth, int iheight) { // ignore
width = iwidth;
@@ -357,13 +364,8 @@ public class PGraphics3D extends PGraphics {
camera = new PMatrix3D();
cameraInv = new PMatrix3D();
- // set up the default camera
-// camera();
-
- // defaults to perspective, if the user has setup up their
- // own projection, they'll need to fix it after resize anyway.
- // this helps the people who haven't set up their own projection.
-// perspective();
+ // set this flag so that beginDraw() will do an update to the camera.
+ sizeChanged = true;
}
@@ -409,6 +411,19 @@ public class PGraphics3D extends PGraphics {
// beginDraw/endDraw).
if (!settingsInited) defaultSettings();
+ if (sizeChanged) {
+ // set up the default camera
+ camera();
+
+ // defaults to perspective, if the user has setup up their
+ // own projection, they'll need to fix it after resize anyway.
+ // this helps the people who haven't set up their own projection.
+ perspective();
+
+ // clear the flag
+ sizeChanged = false;
+ }
+
resetMatrix(); // reset model matrix
// reset vertices
@@ -437,6 +452,7 @@ public class PGraphics3D extends PGraphics {
shapeFirst = 0;
// reset textures
+ Arrays.fill(textures, null);
textureIndex = 0;
normal(0, 0, 1);
@@ -1350,7 +1366,10 @@ public class PGraphics3D extends PGraphics {
boolean bClipped = false;
int clippedCount = 0;
-// cameraNear = -8;
+ // This is a hack for temporary clipping. Clipping still needs to
+ // be implemented properly, however. Please help!
+ // http://dev.processing.org/bugs/show_bug.cgi?id=1393
+ cameraNear = -8;
if (vertices[a][VZ] > cameraNear) {
aClipped = true;
clippedCount++;
@@ -1364,15 +1383,15 @@ public class PGraphics3D extends PGraphics {
clippedCount++;
}
if (clippedCount == 0) {
-// if (vertices[a][VZ] < cameraFar &&
-// vertices[b][VZ] < cameraFar &&
+// if (vertices[a][VZ] < cameraFar &&
+// vertices[b][VZ] < cameraFar &&
// vertices[c][VZ] < cameraFar) {
addTriangleWithoutClip(a, b, c);
// }
// } else if (true) {
// return;
-
+
} else if (clippedCount == 3) {
// In this case there is only one visible point. |/|
// So we'll have to make two new points on the clip line <| |
diff --git a/core/src/processing/core/PGraphicsJava2D.java b/core/src/processing/core/PGraphicsJava2D.java
index c45ae77ca..f72a566bb 100644
--- a/core/src/processing/core/PGraphicsJava2D.java
+++ b/core/src/processing/core/PGraphicsJava2D.java
@@ -967,6 +967,9 @@ public class PGraphicsJava2D extends PGraphics /*PGraphics2D*/ {
public float textAscent() {
+ if (textFont == null) {
+ defaultFontOrDeath("textAscent");
+ }
Font font = textFont.getFont();
if (font == null) {
return super.textAscent();
@@ -977,6 +980,9 @@ public class PGraphicsJava2D extends PGraphics /*PGraphics2D*/ {
public float textDescent() {
+ if (textFont == null) {
+ defaultFontOrDeath("textAscent");
+ }
Font font = textFont.getFont();
if (font == null) {
return super.textDescent();
@@ -1010,6 +1016,10 @@ public class PGraphicsJava2D extends PGraphics /*PGraphics2D*/ {
* will get recorded properly.
*/
public void textSize(float size) {
+ if (textFont == null) {
+ defaultFontOrDeath("textAscent", size);
+ }
+
// if a native version available, derive this font
// if (textFontNative != null) {
// textFontNative = textFontNative.deriveFont(size);
diff --git a/core/src/processing/core/PImage.java b/core/src/processing/core/PImage.java
index c1b38f095..c9fa24780 100644
--- a/core/src/processing/core/PImage.java
+++ b/core/src/processing/core/PImage.java
@@ -31,13 +31,31 @@ import java.util.HashMap;
import javax.imageio.ImageIO;
+
+
/**
+ * Datatype for storing images. Processing can display .gif, .jpg, .tga, and .png images. Images may be displayed in 2D and 3D space.
+ * Before an image is used, it must be loaded with the loadImage() function.
+ * The PImage object contains fields for the width and height of the image,
+ * as well as an array called pixels[] which contains the values for every pixel in the image.
+ * A group of methods, described below, allow easy access to the image's pixels and alpha channel and simplify the process of compositing.
+ *
float r2 = myColor & 0xFF;
Before using the pixels[] array, be sure to use the loadPixels() method on the image to make sure that the pixel data is properly loaded.
+ *
To create a new image, use the createImage() function (do not use new PImage()).
+ * =advanced
+ *
* Storage class for pixel data. This is the base class for most image and
* pixel information, such as PGraphics and the video library classes.
*
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ * =advanced
* Call this when you want to mess with the pixels[] array.
*
Certain renderers may or may not seem to require loadPixels() or updatePixels(). However, the rule is that any time you want to manipulate the pixels[] array, you must first call loadPixels(), and after changes have been made, call updatePixels(). Even if the renderer may not seem to use this function in the current Processing release, this will always be subject to change.
+ *
Currently, none of the renderers use the additional parameters to updatePixels(), however this may be implemented in the future.
+ * =advanced
* Mark the pixels in this region as needing an update.
- *
Getting the color of a single pixel with get(x, y) is easy, but not as fast as grabbing the data directly from pixels[]. The equivalent statement to "get(x, y)" using pixels[] is "pixels[y*width+x]". Processing requires calling loadPixels() to load the display window data into the pixels[] array before getting the values.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Reads the color of any pixel or grabs a rectangle of pixels
+ * @param x x-coordinate of the pixel
+ * @param y y-coordinate of the pixel
+ * @param w width of pixel rectangle to get
+ * @param h height of pixel rectangle to get
+ *
+ * @see processing.core.PImage#set(int, int, int)
+ * @see processing.core.PImage#pixels
+ * @see processing.core.PImage#copy(PImage, int, int, int, int, int, int, int, int)
*/
public PImage get(int x, int y, int w, int h) {
/*
@@ -512,7 +587,17 @@ public class PImage implements PConstants, Cloneable {
/**
- * Set a single pixel to the specified color.
+ * Changes the color of any pixel or writes an image directly into the display window. The x and y parameters specify the pixel to change and the color parameter specifies the color value. The color parameter is affected by the current color mode (the default is RGB values from 0 to 255). When setting an image, the x and y parameters define the coordinates for the upper-left corner of the image.
+ *
Setting the color of a single pixel with set(x, y) is easy, but not as fast as putting the data directly into pixels[]. The equivalent statement to "set(x, y, #000000)" using pixels[] is "pixels[y*width+x] = #000000". You must call loadPixels() to load the display window data into the pixels[] array before setting the values and calling updatePixels() to update the window with any changes.
+ *
As of release 1.0, this function ignores imageMode().
+ *
Due to what appears to be a bug in Apple's Java implementation, the point() and set() methods are extremely slow in some circumstances when used with the default renderer. Using P2D or P3D will fix the problem. Grouping many calls to point() or set() together can also help. (Bug 1094)
+ * =advanced
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref image:pixels
+ * @param x x-coordinate of the pixel
+ * @param y y-coordinate of the pixel
+ * @param c any value of the color datatype
*/
public void set(int x, int y, int c) {
if ((x < 0) || (y < 0) || (x >= width) || (y >= height)) return;
@@ -594,18 +679,20 @@ public class PImage implements PConstants, Cloneable {
* used as the alpha color. For a fully grayscale image, this
* is correct, but for a color image it's not 100% accurate.
* For a more accurate conversion, first use filter(GRAY)
- * which will make the image into a "correct" grayscake by
+ * which will make the image into a "correct" grayscale by
* performing a proper luminance-based conversion.
+ *
+ * @param maskArray any array of Integer numbers used as the alpha channel, needs to be same length as the image's pixel array
*/
- public void mask(int alpha[]) {
+ public void mask(int maskArray[]) {
loadPixels();
// don't execute if mask image is different size
- if (alpha.length != pixels.length) {
+ if (maskArray.length != pixels.length) {
throw new RuntimeException("The PImage used with mask() must be " +
"the same size as the applet.");
}
for (int i = 0; i < pixels.length; i++) {
- pixels[i] = ((alpha[i] & 0xff) << 24) | (pixels[i] & 0xffffff);
+ pixels[i] = ((maskArray[i] & 0xff) << 24) | (pixels[i] & 0xffffff);
}
format = ARGB;
updatePixels();
@@ -613,10 +700,19 @@ public class PImage implements PConstants, Cloneable {
/**
- * Set alpha channel for an image using another image as the source.
+ * Masks part of an image from displaying by loading another image and using it as an alpha channel.
+ * This mask image should only contain grayscale data, but only the blue color channel is used.
+ * The mask image needs to be the same size as the image to which it is applied.
+ * In addition to using a mask image, an integer array containing the alpha channel data can be specified directly.
+ * This method is useful for creating dynamically generated alpha masks.
+ * This array must be of the same length as the target image's pixels array and should contain only grayscale data of values between 0-255.
+ * @webref
+ * @brief Masks part of the image from displaying
+ * @param maskImg any PImage object used as the alpha channel for "img", needs to be same size as "img"
*/
- public void mask(PImage alpha) {
- mask(alpha.pixels);
+ public void mask(PImage maskImg) {
+ maskImg.loadPixels();
+ mask(maskImg.pixels);
}
@@ -624,26 +720,6 @@ public class PImage implements PConstants, Cloneable {
//////////////////////////////////////////////////////////////
// IMAGE FILTERS
-
-
- /**
- * Method to apply a variety of basic filters to this image.
- *
- *
- * Luminance conversion code contributed by
- * toxi
- *
- * Gaussian blur code contributed by
- * Mario Klingemann
- */
public void filter(int kind) {
loadPixels();
@@ -716,20 +792,29 @@ public class PImage implements PConstants, Cloneable {
/**
+ * Filters an image as defined by one of the following modes:
THRESHOLD - converts the image to black and white pixels depending if they are above or below the threshold defined by the level parameter. The level must be between 0.0 (black) and 1.0(white). If no level is specified, 0.5 is used.
GRAY - converts any colors in the image to grayscale equivalents
INVERT - sets each pixel to its inverse value
POSTERIZE - limits each channel of the image to the number of colors specified as the level parameter
BLUR - executes a Guassian blur with the level parameter specifying the extent of the blurring. If no level parameter is used, the blur is equivalent to Guassian blur of radius 1.
OPAQUE - sets the alpha channel to entirely opaque.
ERODE - reduces the light areas with the amount defined by the level parameter.
DILATE - increases the light areas with the amount defined by the level parameter
+ * =advanced
* Method to apply a variety of basic filters to this image.
- * These filters all take a parameter.
*
- *
+ * Luminance conversion code contributed by
+ * toxi
+ *
* Gaussian blur code contributed by
* Mario Klingemann
- * and later updated by toxi for better speed.
+ *
+ * @webref
+ * @brief Converts the image to grayscale or black and white
+ * @param kind Either THRESHOLD, GRAY, INVERT, POSTERIZE, BLUR, OPAQUE, ERODE, or DILATE
+ * @param param in the range from 0 to 1
*/
public void filter(int kind, float param) {
loadPixels();
@@ -1093,7 +1178,7 @@ public class PImage implements PConstants, Cloneable {
if (idxRight>=maxRowIdx)
idxRight=currIdx;
if (idxUp<0)
- idxUp=0;
+ idxUp=currIdx;
if (idxDown>=maxIdx)
idxDown=currIdx;
@@ -1150,7 +1235,7 @@ public class PImage implements PConstants, Cloneable {
if (idxRight>=maxRowIdx)
idxRight=currIdx;
if (idxUp<0)
- idxUp=0;
+ idxUp=currIdx;
if (idxDown>=maxIdx)
idxDown=currIdx;
@@ -1212,7 +1297,23 @@ public class PImage implements PConstants, Cloneable {
/**
- * Copies area of one image into another PImage object.
+ * Copies a region of pixels from one image into another. If the source and destination regions aren't the same size, it will automatically resize source pixels to fit the specified target region. No alpha information is used in the process, however if the source image has an alpha channel set, it will be copied as well.
+ *
As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies the entire image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destination's upper left corner
+ * @param dy Y coordinate of the destination's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param src an image variable referring to the source image.
+ *
+ * @see processing.core.PGraphics#alpha(int)
+ * @see processing.core.PImage#blend(PImage, int, int, int, int, int, int, int, int, int)
*/
public void copy(PImage src,
int sx, int sy, int sw, int sh,
@@ -1321,6 +1422,7 @@ public class PImage implements PConstants, Cloneable {
/**
* Blends one area of this image to another area.
+ *
* @see processing.core.PImage#blendColor(int,int,int)
*/
public void blend(int sx, int sy, int sw, int sh,
@@ -1330,7 +1432,39 @@ public class PImage implements PConstants, Cloneable {
/**
- * Copies area of one image into another PImage object.
+ * Blends a region of pixels into the image specified by the img parameter. These copies utilize full alpha channel support and a choice of the following modes to blend the colors of source pixels (A) with the ones of pixels in the destination image (B):
+ * BLEND - linear interpolation of colours: C = A*factor + B
+ * ADD - additive blending with white clip: C = min(A*factor + B, 255)
+ * SUBTRACT - subtractive blending with black clip: C = max(B - A*factor, 0)
+ * DARKEST - only the darkest colour succeeds: C = min(A*factor, B)
+ * LIGHTEST - only the lightest colour succeeds: C = max(A*factor, B)
+ * DIFFERENCE - subtract colors from underlying image.
+ * EXCLUSION - similar to DIFFERENCE, but less extreme.
+ * MULTIPLY - Multiply the colors, result will always be darker.
+ * SCREEN - Opposite multiply, uses inverse values of the colors.
+ * OVERLAY - A mix of MULTIPLY and SCREEN. Multiplies dark values, and screens light values.
+ * HARD_LIGHT - SCREEN when greater than 50% gray, MULTIPLY when lower.
+ * SOFT_LIGHT - Mix of DARKEST and LIGHTEST. Works like OVERLAY, but not as harsh.
+ * DODGE - Lightens light tones and increases contrast, ignores darks. Called "Color Dodge" in Illustrator and Photoshop.
+ * BURN - Darker areas are applied, increasing contrast, ignores lights. Called "Color Burn" in Illustrator and Photoshop.
+ * All modes use the alpha information (highest byte) of source image pixels as the blending factor. If the source and destination regions are different sizes, the image will be automatically resized to match the destination size. If the srcImg parameter is not used, the display window is used as the source image.
+ * As of release 0149, this function ignores imageMode().
+ *
+ * @webref
+ * @brief Copies a pixel or rectangle of pixels using different blending modes
+ * @param src an image variable referring to the source image
+ * @param sx X coordinate of the source's upper left corner
+ * @param sy Y coordinate of the source's upper left corner
+ * @param sw source image width
+ * @param sh source image height
+ * @param dx X coordinate of the destinations's upper left corner
+ * @param dy Y coordinate of the destinations's upper left corner
+ * @param dw destination image width
+ * @param dh destination image height
+ * @param mode Either BLEND, ADD, SUBTRACT, LIGHTEST, DARKEST, DIFFERENCE, EXCLUSION, MULTIPLY, SCREEN, OVERLAY, HARD_LIGHT, SOFT_LIGHT, DODGE, BURN
+ *
+ * @see processing.core.PGraphics#alpha(int)
+ * @see processing.core.PGraphics#copy(PImage, int, int, int, int, int, int, int, int)
* @see processing.core.PImage#blendColor(int,int,int)
*/
public void blend(PImage src,
@@ -2628,6 +2762,16 @@ public class PImage implements PConstants, Cloneable {
protected String[] saveImageFormats;
/**
+ * Saves the image into a file. Images are saved in TIFF, TARGA, JPEG, and PNG format depending on the extension within the filename parameter.
+ * For example, "image.tif" will have a TIFF image and "image.png" will save a PNG image.
+ * If no extension is included in the filename, the image will save in TIFF format and .tif will be added to the name.
+ * These files are saved to the sketch's folder, which may be opened by selecting "Show sketch folder" from the "Sketch" menu.
+ * It is not possible to use save() while running the program in a web browser.
+ * To save an image created within the code, rather than through loading, it's necessary to make the image with the createImage()
+ * function so it is aware of the location of the program and can therefore save the file to the right place.
+ * See the createImage() reference for more information.
+ *
+ * =advanced
* Save this image to disk.
*
The loadShape() method supports SVG files created with Inkscape and Adobe Illustrator.
+ * It is not a full SVG implementation, but offers some straightforward support for handling vector data.
+ * =advanced
+ *
* In-progress class to handle shape data, currently to be considered of
* alpha or beta quality. Major structural work may be performed on this class
* after the release of Processing 1.0. Such changes may include:
@@ -51,6 +60,13 @@ import java.util.HashMap;
*
The visibility of a shape is usually controlled by whatever program created the SVG file.
+ * For instance, this parameter is controlled by showing or hiding the shape in the layers palette in Adobe Illustrator.
+ *
+ * @webref
+ * @brief Returns a boolean value "true" if the image is set to be visible, "false" if not
+ */
public boolean isVisible() {
return visible;
}
-
+ /**
+ * Sets the shape to be visible or invisible. This is determined by the value of the visible parameter.
+ *
The visibility of a shape is usually controlled by whatever program created the SVG file.
+ * For instance, this parameter is controlled by showing or hiding the shape in the layers palette in Adobe Illustrator.
+ * @param visible "false" makes the shape invisible and "true" makes it visible
+ * @webref
+ * @brief Sets the shape to be visible or invisible
+ */
public void setVisible(boolean visible) {
this.visible = visible;
}
/**
+ * Disables the shape's style data and uses Processing's current styles. Styles include attributes such as colors, stroke weight, and stroke joints.
+ * =advanced
* Overrides this shape's style information and uses PGraphics styles and
* colors. Identical to ignoreStyles(true). Also disables styles for all
* child shapes.
+ * @webref
+ * @brief Disables the shape's style data and uses Processing styles
*/
public void disableStyle() {
style = false;
@@ -204,7 +248,9 @@ public class PShape implements PConstants {
/**
- * Re-enables style information (fill and stroke) set in the shape.
+ * Enables the shape's style data and ignores Processing's current styles. Styles include attributes such as colors, stroke weight, and stroke joints.
+ * @webref
+ * @brief Enables the shape's style data and ignores the Processing styles
*/
public void enableStyle() {
style = true;
@@ -591,12 +637,21 @@ public class PShape implements PConstants {
return childCount;
}
-
+ /**
+ *
+ * @param index the layer position of the shape to get
+ */
public PShape getChild(int index) {
return children[index];
}
-
+ /**
+ * Extracts a child shape from a parent shape. Specify the name of the shape with the target parameter.
+ * The shape is returned as a PShape object, or null is returned if there is an error.
+ * @param target the name of the shape to get
+ * @webref
+ * @brief Returns a child element of a shape as a PShape object
+ */
public PShape getChild(String target) {
if (name != null && name.equals(target)) {
return this;
@@ -675,34 +730,78 @@ public class PShape implements PConstants {
// if matrix is null when one is called,
// it is created and set to identity
-
public void translate(float tx, float ty) {
checkMatrix(2);
matrix.translate(tx, ty);
}
-
+ /**
+ * Specifies an amount to displace the shape. The x parameter specifies left/right translation, the y parameter specifies up/down translation, and the z parameter specifies translations toward/away from the screen. Subsequent calls to the method accumulates the effect. For example, calling translate(50, 0) and then translate(20, 0) is the same as translate(70, 0). This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ *
Using this method with the z parameter requires using the P3D or OPENGL parameter in combination with size.
+ * @webref
+ * @param tx left/right translation
+ * @param ty up/down translation
+ * @param tz forward/back translation
+ * @brief Displaces the shape
+ */
public void translate(float tx, float ty, float tz) {
checkMatrix(3);
matrix.translate(tx, ty, 0);
}
-
-
+
+ /**
+ * Rotates a shape around the x-axis the amount specified by the angle parameter. Angles should be specified in radians (values from 0 to TWO_PI) or converted to radians with the radians() method.
+ *
Shapes are always rotated around the upper-left corner of their bounding box. Positive numbers rotate objects in a clockwise direction.
+ * Subsequent calls to the method accumulates the effect. For example, calling rotateX(HALF_PI) and then rotateX(HALF_PI) is the same as rotateX(PI).
+ * This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ *
This method requires a 3D renderer. You need to pass P3D or OPENGL as a third parameter into the size() method as shown in the example above.
+ * @param angle angle of rotation specified in radians
+ * @webref
+ * @brief Rotates the shape around the x-axis
+ */
public void rotateX(float angle) {
rotate(angle, 1, 0, 0);
}
-
+ /**
+ * Rotates a shape around the y-axis the amount specified by the angle parameter. Angles should be specified in radians (values from 0 to TWO_PI) or converted to radians with the radians() method.
+ *
Shapes are always rotated around the upper-left corner of their bounding box. Positive numbers rotate objects in a clockwise direction.
+ * Subsequent calls to the method accumulates the effect. For example, calling rotateY(HALF_PI) and then rotateY(HALF_PI) is the same as rotateY(PI).
+ * This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ *
This method requires a 3D renderer. You need to pass P3D or OPENGL as a third parameter into the size() method as shown in the example above.
+ * @param angle angle of rotation specified in radians
+ * @webref
+ * @brief Rotates the shape around the y-axis
+ */
public void rotateY(float angle) {
rotate(angle, 0, 1, 0);
}
+ /**
+ * Rotates a shape around the z-axis the amount specified by the angle parameter. Angles should be specified in radians (values from 0 to TWO_PI) or converted to radians with the radians() method.
+ *
Shapes are always rotated around the upper-left corner of their bounding box. Positive numbers rotate objects in a clockwise direction.
+ * Subsequent calls to the method accumulates the effect. For example, calling rotateZ(HALF_PI) and then rotateZ(HALF_PI) is the same as rotateZ(PI).
+ * This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ *
This method requires a 3D renderer. You need to pass P3D or OPENGL as a third parameter into the size() method as shown in the example above.
+ * @param angle angle of rotation specified in radians
+ * @webref
+ * @brief Rotates the shape around the z-axis
+ */
public void rotateZ(float angle) {
rotate(angle, 0, 0, 1);
}
-
-
+
+ /**
+ * Rotates a shape the amount specified by the angle parameter. Angles should be specified in radians (values from 0 to TWO_PI) or converted to radians with the radians() method.
+ *
Shapes are always rotated around the upper-left corner of their bounding box. Positive numbers rotate objects in a clockwise direction.
+ * Transformations apply to everything that happens after and subsequent calls to the method accumulates the effect.
+ * For example, calling rotate(HALF_PI) and then rotate(HALF_PI) is the same as rotate(PI).
+ * This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ * @param angle angle of rotation specified in radians
+ * @webref
+ * @brief Rotates the shape
+ */
public void rotate(float angle) {
checkMatrix(2); // at least 2...
matrix.rotate(angle);
@@ -716,20 +815,34 @@ public class PShape implements PConstants {
//
-
-
+
+ /**
+ * @param s percentage to scale the object
+ */
public void scale(float s) {
checkMatrix(2); // at least 2...
matrix.scale(s);
}
- public void scale(float sx, float sy) {
+ public void scale(float x, float y) {
checkMatrix(2);
- matrix.scale(sx, sy);
+ matrix.scale(x, y);
}
+ /**
+ * Increases or decreases the size of a shape by expanding and contracting vertices. Shapes always scale from the relative origin of their bounding box.
+ * Scale values are specified as decimal percentages. For example, the method call scale(2.0) increases the dimension of a shape by 200%.
+ * Subsequent calls to the method multiply the effect. For example, calling scale(2.0) and then scale(1.5) is the same as scale(3.0).
+ * This transformation is applied directly to the shape, it's not refreshed each time draw() is run.
+ *
Using this fuction with the z parameter requires passing P3D or OPENGL into the size() parameter.
+ * @param x percentage to scale the object in the x-axis
+ * @param y percentage to scale the object in the y-axis
+ * @param z percentage to scale the object in the z-axis
+ * @webref
+ * @brief Increases and decreases the size of a shape
+ */
public void scale(float x, float y, float z) {
checkMatrix(3);
matrix.scale(x, y, z);
diff --git a/core/src/processing/core/PShapeSVG.java b/core/src/processing/core/PShapeSVG.java
index db1bd9e88..0bbf2c51a 100644
--- a/core/src/processing/core/PShapeSVG.java
+++ b/core/src/processing/core/PShapeSVG.java
@@ -457,7 +457,11 @@ public class PShapeSVG extends PShape {
separate = false;
}
if (c == '-' && !lastSeparate) {
- pathBuffer.append("|");
+ // allow for 'e' notation in numbers, e.g. 2.10e-9
+ // http://dev.processing.org/bugs/show_bug.cgi?id=1408
+ if (i == 0 || pathDataChars[i-1] != 'e') {
+ pathBuffer.append("|");
+ }
}
if (c != ',') {
pathBuffer.append(c); //"" + pathDataBuffer.charAt(i));
diff --git a/core/src/processing/core/PVector.java b/core/src/processing/core/PVector.java
index 91be2f52b..1fb4f1f76 100644
--- a/core/src/processing/core/PVector.java
+++ b/core/src/processing/core/PVector.java
@@ -428,8 +428,8 @@ public class PVector {
public float dot(float x, float y, float z) {
return this.x*x + this.y*y + this.z*z;
}
-
-
+
+
static public float dot(PVector v1, PVector v2) {
return v1.x*v2.x + v1.y*v2.y + v1.z*v2.z;
}
diff --git a/core/src/processing/xml/XMLElement.java b/core/src/processing/xml/XMLElement.java
index 873828996..1f1b28d9c 100644
--- a/core/src/processing/xml/XMLElement.java
+++ b/core/src/processing/xml/XMLElement.java
@@ -31,6 +31,10 @@ import processing.core.PApplet;
/**
+ * XMLElement is a representation of an XML object. The object is able to parse XML code. The methods described here are the most basic. More are documented in the Developer's Reference.
+ *
+ * The encoding parameter inside XML files is ignored, only UTF-8 (or plain ASCII) are parsed properly.
+ * =advanced
* XMLElement is an XML element. This is the base class used for the
* Processing XML library, representing a single node of an XML tree.
*
@@ -38,6 +42,10 @@ import processing.core.PApplet;
*
* @author Marc De Scheemaecker
* @author processing.org
+ *
+ * @webref data:composite
+ * @usage Web & Application
+ * @instanceName xml any variable of type XMLElement
*/
public class XMLElement implements Serializable {
@@ -103,6 +111,7 @@ public class XMLElement implements Serializable {
/**
* Creates an empty element to be used for #PCDATA content.
+ * @nowebref
*/
public XMLElement() {
this(null, null, null, NO_LINE);
@@ -173,6 +182,7 @@ public class XMLElement implements Serializable {
* @param namespace the namespace URI.
* @param systemID the system ID of the XML data where the element starts.
* @param lineNr the line in the XML data where the element starts.
+ * @nowebref
*/
public XMLElement(String fullName,
String namespace,
@@ -204,21 +214,25 @@ public class XMLElement implements Serializable {
* wraps exception handling, for more advanced exception handling,
* use the constructor that takes a Reader or InputStream.
* @author processing.org
- * @param filename
- * @param parent
+ * @param filename name of the XML file to load
+ * @param parent typically use "this"
*/
public XMLElement(PApplet parent, String filename) {
this();
parseFromReader(parent.createReader(filename));
}
-
+ /**
+ * @nowebref
+ */
public XMLElement(Reader r) {
this();
parseFromReader(r);
}
-
+ /**
+ * @nowebref
+ */
public XMLElement(String xml) {
this();
parseFromReader(new StringReader(xml));
@@ -348,6 +362,8 @@ public class XMLElement implements Serializable {
* Returns the full name (i.e. the name including an eventual namespace
* prefix) of the element.
*
+ * @webref
+ * @brief Returns the name of the element.
* @return the name, or null if the element only contains #PCDATA.
*/
public String getName() {
@@ -507,9 +523,12 @@ public class XMLElement implements Serializable {
/**
- * Returns the number of children.
+ * Returns the number of children for the element.
*
* @return the count.
+ * @webref
+ * @see processing.xml.XMLElement#getChild(int)
+ * @see processing.xml.XMLElement#getChildren(String)
*/
public int getChildCount() {
return this.children.size();
@@ -554,27 +573,35 @@ public class XMLElement implements Serializable {
/**
* Quick accessor for an element at a particular index.
* @author processing.org
+ * @param index the element
*/
- public XMLElement getChild(int which) {
- return (XMLElement) children.elementAt(which);
+ public XMLElement getChild(int index) {
+ return (XMLElement) children.elementAt(index);
}
/**
- * Get a child by its name or path.
- * @param name element name or path/to/element
+ * Returns the child XMLElement as specified by the index parameter. The value of the index parameter must be less than the total number of children to avoid going out of the array storing the child elements.
+ * When the path parameter is specified, then it will return all children that match that path. The path is a series of elements and sub-elements, separated by slashes.
+ *
* @return the element
* @author processing.org
+ *
+ * @webref
+ * @see processing.xml.XMLElement#getChildCount()
+ * @see processing.xml.XMLElement#getChildren(String)
+ * @brief Get a child by its name or path.
+ * @param path path to a particular element
*/
- public XMLElement getChild(String name) {
- if (name.indexOf('/') != -1) {
- return getChildRecursive(PApplet.split(name, '/'), 0);
+ public XMLElement getChild(String path) {
+ if (path.indexOf('/') != -1) {
+ return getChildRecursive(PApplet.split(path, '/'), 0);
}
int childCount = getChildCount();
for (int i = 0; i < childCount; i++) {
XMLElement kid = getChild(i);
String kidName = kid.getName();
- if (kidName != null && kidName.equals(name)) {
+ if (kidName != null && kidName.equals(path)) {
return kid;
}
}
@@ -681,20 +708,27 @@ public class XMLElement implements Serializable {
/**
- * Get any children that match this name or path. Similar to getChild(),
- * but will grab multiple matches rather than only the first.
- * @param name element name or path/to/element
+ * Returns all of the children as an XMLElement array.
+ * When the path parameter is specified, then it will return all children that match that path.
+ * The path is a series of elements and sub-elements, separated by slashes.
+ *
+ * @param path element name or path/to/element
* @return array of child elements that match
* @author processing.org
+ *
+ * @webref
+ * @brief Returns all of the children as an XMLElement array.
+ * @see processing.xml.XMLElement#getChildCount()
+ * @see processing.xml.XMLElement#getChild(int)
*/
- public XMLElement[] getChildren(String name) {
- if (name.indexOf('/') != -1) {
- return getChildrenRecursive(PApplet.split(name, '/'), 0);
+ public XMLElement[] getChildren(String path) {
+ if (path.indexOf('/') != -1) {
+ return getChildrenRecursive(PApplet.split(path, '/'), 0);
}
// if it's a number, do an index instead
// (returns a single element array, since this will be a single match
- if (Character.isDigit(name.charAt(0))) {
- return new XMLElement[] { getChild(Integer.parseInt(name)) };
+ if (Character.isDigit(path.charAt(0))) {
+ return new XMLElement[] { getChild(Integer.parseInt(path)) };
}
int childCount = getChildCount();
XMLElement[] matches = new XMLElement[childCount];
@@ -702,7 +736,7 @@ public class XMLElement implements Serializable {
for (int i = 0; i < childCount; i++) {
XMLElement kid = getChild(i);
String kidName = kid.getName();
- if (kidName != null && kidName.equals(name)) {
+ if (kidName != null && kidName.equals(path)) {
matches[matchCount++] = kid;
}
}
@@ -882,12 +916,22 @@ public class XMLElement implements Serializable {
}
}
-
+
public String getStringAttribute(String name) {
return getAttribute(name);
}
-
+ /**
+ * Returns a String attribute of the element.
+ * If the default parameter is used and the attribute doesn't exist, the default value is returned.
+ * When using the version of the method without the default parameter, if the attribute doesn't exist, the value 0 is returned.
+ *
+ * @webref
+ * @param name the name of the attribute
+ * @param default Value value returned if the attribute is not found
+ *
+ * @brief Returns a String attribute of the element.
+ */
public String getStringAttribute(String name, String defaultValue) {
return getAttribute(name, defaultValue);
}
@@ -899,18 +943,24 @@ public class XMLElement implements Serializable {
return getAttribute(name, namespace, defaultValue);
}
-
+ /**
+ * Returns an integer attribute of the element.
+ */
public int getIntAttribute(String name) {
return getIntAttribute(name, 0);
}
/**
- * Returns the value of an attribute.
+ * Returns an integer attribute of the element.
+ * If the default parameter is used and the attribute doesn't exist, the default value is returned.
+ * When using the version of the method without the default parameter, if the attribute doesn't exist, the value 0 is returned.
*
- * @param name the non-null full name of the attribute.
- * @param defaultValue the default value of the attribute.
+ * @param name the name of the attribute
+ * @param defaultValue value returned if the attribute is not found
*
+ * @webref
+ * @brief Returns an integer attribute of the element.
* @return the value, or defaultValue if the attribute does not exist.
*/
public int getIntAttribute(String name,
@@ -944,12 +994,17 @@ public class XMLElement implements Serializable {
/**
- * Returns the value of an attribute.
+ * Returns a float attribute of the element.
+ * If the default parameter is used and the attribute doesn't exist, the default value is returned.
+ * When using the version of the method without the default parameter, if the attribute doesn't exist, the value 0 is returned.
*
- * @param name the non-null full name of the attribute.
- * @param defaultValue the default value of the attribute.
+ * @param name the name of the attribute
+ * @param defaultValue value returned if the attribute is not found
*
* @return the value, or defaultValue if the attribute does not exist.
+ *
+ * @webref
+ * @brief Returns a float attribute of the element.
*/
public float getFloatAttribute(String name,
float defaultValue) {
@@ -966,6 +1021,7 @@ public class XMLElement implements Serializable {
* @param defaultValue the default value of the attribute.
*
* @return the value, or defaultValue if the attribute does not exist.
+ * @nowebref
*/
public float getFloatAttribute(String name,
String namespace,
@@ -1253,11 +1309,15 @@ public class XMLElement implements Serializable {
/**
+ * Returns the content of an element. If there is no such content, null is returned.
+ * =advanced
* Return the #PCDATA content of the element. If the element has a
* combination of #PCDATA content and child elements, the #PCDATA
* sections can be retrieved as unnamed child objects. In this case,
* this method returns null.
*
+ * @webref
+ * @brief Returns the content of an element
* @return the content.
*/
public String getContent() {
diff --git a/core/todo.txt b/core/todo.txt
index cf4488272..6b6ce087f 100644
--- a/core/todo.txt
+++ b/core/todo.txt
@@ -1,10 +1,85 @@
-0171 core
-X Blurred PImages in OPENGL sketches
-X removed NPOT texture support (for further testing)
-X http://dev.processing.org/bugs/show_bug.cgi?id=1352
+0179 core
+X screenWidth/Height instead of screenW/H
+X open up the pdf library more (philho)
+X http://dev.processing.org/bugs/show_bug.cgi?id=1343
+X cache font information for the PDF library to improve setup time
+X when using createFont("xxxx.ttf"), should use textMode(SHAPE) with PDF
+X because ttf files will not be installed on the system when opening pdf
+X added error messages for users
+X bring back old-style textAscent()
+X needs to just quickly run characters d and p
+X only takes a couple ms, so no problem
+X pdf library
+X throw an error with the black boxes
+X throw an error if loading fonts from a file, and not using mode(SHAPE)
+X implement default font
+X this can be done to replace the exception handler in PGraphics
+o however it needs to be a legit font, so that it works w/ pdf
+o or maybe pdf just has its own default?
+X create characters on the fly when createFont() is used
+o memory leak problem with fonts in JAVA2D
+X can't get this to crash anymore
+o http://dev.processing.org/bugs/show_bug.cgi?id=1252
+
+earlier
+X if no draw() method, and renderer is not displayable, then exit
+X static mode PDFs shouldn't just hang
+
+
+big ones
+_ ortho() behaving differently in P3D vs OPENGL
+_ http://dev.processing.org/bugs/show_bug.cgi?id=100
+_ shows a blank canvas
+_ (was only happening once b/c was drawing first in perspective)
+_ seems to be mapping to 0, 0 - width/2, height/2
+_ fix 3D > OrthoVsPerspective example once ortho works properly
+_ there's a depth problem in addition to the ortho weirdness
+_ modelx/y/z broken when aiming a camera
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1074
+_ opengl + resize window => window content garbled
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1360
+_ modify PVector to include better methods for chaining operations
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1415
+
+quickies
+_ img.get() weirdness
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1198
+_ copy and blend scale when unnecessary
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1482
+_ add a limit to pushStyle() to catch unmatched sets?
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1368
+_ P2D transformation bug from ira
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1175
+_ resize not working in revision 5707
+_ camera() and perspective() were commented out in setSize()
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1391
+_ chopping out triangles in OpenGL (though it's only 2D drawing)
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1359
+_ make sure that get() and set() (for pixels and subsets) work w/ loaded images
+_ make sure that get() and set() (for pixels and subsets) work w/ P2D
+_ make sure that get() and set() (for pixels and subsets) work w/ P3D
+_ consider adding skewX/Y
+_ do them as shearX/Y
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1448
+
+_ add setOutput() method across other renderers?
+
+_ opengl applet problems
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1364
+
+_ method of threading but queue an event to be run when safe
+_ e.g. queueing items like mouse/keybd, but generic fxns
+
+_ inconsistent anti-aliasing with OpenGL
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1413
+_ modify PVector to include better methods for chaining operations
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1415
+
+_ selectInput() fails when called from within keyPressed()
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1220
+
+_ add java.io.Reader (and Writer?) to imports
-_ open up the pdf library more (philho)
-_ http://dev.processing.org/bugs/show_bug.cgi?id=1343
_ changing vertex alpha in P3D in a QUAD_STRIP is ignored
_ with smoothing, it works fine, but with PTriangle, it's not
_ smooth() not working with applets an createGraphics(JAVA2D)
@@ -12,6 +87,9 @@ _ but works fine with applications
_ get() with OPENGL is grabbing the wrong coords
_ http://dev.processing.org/bugs/show_bug.cgi?id=1349
+_ gl power of 2 with textures
+_ P3D also seems to have trouble w/ textures edges.. bad math?
+
_ No textures render with hint(ENABLE_ACCURATE_TEXTURES)
_ http://dev.processing.org/bugs/show_bug.cgi?id=985
_ need to remove the hint from the reference
@@ -20,11 +98,14 @@ _ deal with issue of single pixel seam at the edge of textures
_ http://dev.processing.org/bugs/show_bug.cgi?id=602
_ should vertexTexture() divide by width/height or width-1/height-1?
+looping/events
_ key and mouse events delivered out of order
_ http://dev.processing.org/bugs/show_bug.cgi?id=638
_ key/mouse events have concurrency problems with noLoop()
_ http://dev.processing.org/bugs/show_bug.cgi?id=1323
_ need to say "no drawing inside mouse/key events w/ noLoop"
+_ redraw() doesn't work from within draw()
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1363
_ make the index lookup use numbers up to 256?
@@ -34,8 +115,6 @@ _ public float textWidth(char[] chars, int start, int length)
_ textAlign(JUSTIFY) (with implementation)
_ http://dev.processing.org/bugs/show_bug.cgi?id=1309
-_ create characters on the fly when createFont() is used
-
_ Semitransparent rect drawn over image not rendered correctly
_ http://dev.processing.org/bugs/show_bug.cgi?id=1280
@@ -49,8 +128,6 @@ _ http://dev.processing.org/bugs/show_bug.cgi?id=1176
_ what's the difference with ascent on loadFont vs. createFont?
_ noCursor() doesn't work in present mode
_ http://dev.processing.org/bugs/show_bug.cgi?id=1177
-_ modelx/y/z broken when aiming a camera
-_ http://dev.processing.org/bugs/show_bug.cgi?id=1074
_ in P2D, two vertex() line calls with fill() causes duplicate output
_ works fine in other renderers, has to do with tesselation
_ http://dev.processing.org/bugs/show_bug.cgi?id=1191
@@ -67,14 +144,10 @@ _ what other methods should work with doubles? all math functions?
_ seems like internal (mostly static) things, but not graphics api
_ look into replacing nanoxml
_ http://www.exampledepot.com/egs/javax.xml.parsers/pkg.html
-_ if no draw() method, and renderer is not displayable, then exit
-_ static mode PDFs shouldn't just hang
[ known problems ]
-_ memory leak problem with fonts in JAVA2D
-_ http://dev.processing.org/bugs/show_bug.cgi?id=1252
_ OPENGL sketches flicker w/ Vista when background() not used inside draw()
_ http://dev.processing.org/bugs/show_bug.cgi?id=930
_ Disabling Aero scheme sometimes prevents the problem
@@ -142,16 +215,11 @@ _ make sure that filter, blend, copy, etc say that no loadPixels necessary
rework some text/font code [1.0]
-_ PFont not working well with lots of characters
-_ only create bitmap chars on the fly when needed (in createFont)
_ text placement is ugly, seems like fractional metrics problem
_ http://dev.processing.org/bugs/show_bug.cgi?id=866
_ text(char c) with char 0 and undefined should print nothing
_ perhaps also DEL or other nonprintables?
_ book example 25-03
-_ when using createFont("xxxx.ttf"), should use textMode(SHAPE) with PDF
-_ because ttf files will not be installed on the system when opening pdf
-_ maybe just add this to the reference so that people know
_ text position is quantized in JAVA2D
_ http://dev.processing.org/bugs/show_bug.cgi?id=806
_ accessors inside PFont need a lot of work
@@ -159,8 +227,6 @@ _ osx 10.5 (not 10.4) performing text width calculation differently
_ http://dev.processing.org/bugs/show_bug.cgi?id=972
_ Automatically use textMode(SCREEN) with text() when possible
_ http://dev.processing.org/bugs/show_bug.cgi?id=1020
-_ Implement better caching mechanism when creating large fonts
-_ http://dev.processing.org/bugs/show_bug.cgi?id=1111
P2D, P3D, PPolygon [1.0]
@@ -200,19 +266,12 @@ _ also needs fix for last edge and the seam
threading and exiting
-_ pdf sketches exiting before writing has finished
_ writing image file (missing a flush() call?) on exit() fails
_ lots of zero length files
_ saveFrame() at the end of a draw mode program is problematic
_ app might exit before the file has finished writing to disk
_ need to block other activity inside screenGrab until finished
_ http://processing.org/discourse/yabb/YaBB.cgi?board=Proce55ing_software_bugs;action=display;num=1081706752
-_ what's up with stop() vs exit()?
-_ need to get this straightened for p5 (i.e. bc has this problem)
-_ make sure the main() doesn't exit until the applet has finished
-_ i.e. problem with main calling itself multiple times in Alpheus
-_ if exit() (or stop) is called, then System.exit() gets called,
-_ even though the main() wants to keep going
_ for begin/endRecord, use a piggyback mechanism
_ that way won't have to pass a PApplet around
@@ -220,24 +279,32 @@ _ this has a big impact on the SVG library
_ in fact, this maybe should be a library that does it
_ so that the file size can be much smaller
-_ when closing a sketch via the close box, make sure stop() getting called
-X found a problem for release 0133
-_ test to see if it's working
-
_ STROKE_WEIGHT field in PGraphics3 is a disaster, because it's an int
_ use the SW from vertex instead.. why set stroke in triangle vars at all?
_ currently truncating to an int inside add_line_no_clip
_ need to clean all this crap up
+stop() mess
+_ double stop() called with noLoop()
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1270
_ stop() not getting called
_ http://dev.processing.org/bugs/show_bug.cgi?id=183
_ major problem for libraries
_ and start() is supposedly called by the applet viewer
_ http://java.sun.com/j2se/1.4.2/docs/api/java/applet/Applet.html#start()
_ need to track this stuff down a bit
+_ when closing a sketch via the close box, make sure stop() getting called
+X found a problem for release 0133
+_ test to see if it's working
+_ what's up with stop() vs exit()?
+_ need to get this straightened for p5 (i.e. bc has this problem)
+_ make sure the main() doesn't exit until the applet has finished
+_ i.e. problem with main calling itself multiple times in Alpheus
+_ if exit() (or stop) is called, then System.exit() gets called,
+_ even though the main() wants to keep going
+_ more chatter with this
+_ http://dev.processing.org/bugs/show_bug.cgi?id=131
-_ method of threading but queue an event to be run when safe
-_ e.g. queueing items like mouse/keybd, but generic fxns
////////////////////////////////////////////////////////////////////
@@ -280,6 +347,8 @@ _ don't bother using a buffering stream, just handle internally. gah!
_ remove some of the bloat, how can we make things more compact?
_ i.e. if not using 3D, can leave out PGraphics3, PTriangle, PLine
_ http://dev.processing.org/bugs/show_bug.cgi?id=127
+E4 _ add shuffle methods for arrays
+E4 _ http://dev.processing.org/bugs/show_bug.cgi?id=1462
CORE / PApplet - main()
@@ -309,7 +378,8 @@ _ or if the sketch window is foremost
_ maybe a hack where a new menubar is added?
_ --display not working on osx
_ http://dev.processing.org/bugs/show_bug.cgi?id=531
-
+_ "Target VM failed to initialize" when using Present mode on Mac OS X
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1257
CORE / PFont and text()
@@ -412,13 +482,6 @@ CORE / PGraphics3D
_ make thick lines draw perpendicular to the screen with P3D
_ http://dev.processing.org/bugs/show_bug.cgi?id=956
_ ewjordan suggests building the quad in screen coords after perspective
-_ ortho() behaving differently in P3D vs OPENGL
-_ http://dev.processing.org/bugs/show_bug.cgi?id=100
-_ shows a blank canvas
-_ (was only happening once b/c was drawing first in perspective)
-_ seems to be mapping to 0, 0 - width/2, height/2
-_ fix 3D > OrthoVsPerspective example once ortho works properly
-_ there's a depth problem in addition to the ortho weirdness
_ improve hint(ENABLE_DEPTH_SORT) to use proper painter's algo
_ http://dev.processing.org/bugs/show_bug.cgi?id=176
_ polygon z-order depth sorting with alpha in opengl
@@ -433,11 +496,9 @@ _ images are losing pixels at the edges
_ http://dev.processing.org/bugs/show_bug.cgi?id=102
_ odd error with some pixels from images not drawing properly
_ http://processing.org/discourse/yabb_beta/YaBB.cgi?board=SoftwareBugs;action=display;num=1115681453
-_ clipping not yet completely implemented
+_ clipping not implemented
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1393
_ http://processing.org/discourse/yabb_beta/YaBB.cgi?board=SoftwareBugs;action=display;num=1114184516
-_ Stroking a rect() leaves off the upper right pixel
-_ http://dev.processing.org/bugs/show_bug.cgi?id=501
-_ clipping planes
_ http://processing.org/discourse/yabb/YaBB.cgi?board=Proce55ing_software_bugs;action=display;num=1058491568;start=0
_ http://processing.org/discourse/yabb/YaBB.cgi?board=Proce55ing_software_bugs;action=display;num=1052313604;start=0
_ http://processing.org/discourse/yabb/YaBB.cgi?board=Proce55ing_Software;action=display;num=1095170607;start=0
@@ -449,6 +510,8 @@ _ or at least that things get ridiculously slow
_ clipping issues here.. but also something in scan converter
_ not clipping areas from offscreen
_ huge geometry slows things way down
+_ Stroking a rect() leaves off the upper right pixel
+_ http://dev.processing.org/bugs/show_bug.cgi?id=501
_ box is not opaque
_ problem is that lines are drawn second
_ one pixel lines have no z value.. argh
@@ -462,6 +525,8 @@ _ box(40);
CORE / PImage
+_ accuracy problems make alpha channel go to FE with image.copy()
+_ http://dev.processing.org/bugs/show_bug.cgi?id=1420
_ improve blend() accuracy when using ADD
_ http://dev.processing.org/bugs/show_bug.cgi?id=1008
_ includes code for a slow but more accurate mode
@@ -603,6 +668,10 @@ LIBRARIES / PGraphicsPDF
_ pdf not rendering unicode with beginRecord()
_ http://dev.processing.org/bugs/show_bug.cgi?id=727
+_ pdf sketches exiting before writing has finished
+_ people have to call exit() (so that dispose() is called in particular)
+_ when using noLoop() and the PDF renderer, sketch should exit gracefully
+_ because isDisplayable() returns false, there's no coming back from noLoop
@@ -710,3 +779,4 @@ _ exactly how should pixel filling work with single pixel strokes?
_ http://dev.processing.org/bugs/show_bug.cgi?id=1025
_ Writing XML files (clean up the API)
_ http://dev.processing.org/bugs/show_bug.cgi?id=964
+_ consider bringing back text/image using cache/names
diff --git a/hardware/arduino/boards.txt b/hardware/arduino/boards.txt
index 171091d33..d300a47ab 100644
--- a/hardware/arduino/boards.txt
+++ b/hardware/arduino/boards.txt
@@ -101,6 +101,26 @@ bt.build.core=arduino
##############################################################
+fio.name=Arduino Fio
+
+fio.upload.protocol=stk500
+fio.upload.maximum_size=30720
+fio.upload.speed=57600
+
+fio.bootloader.low_fuses=0xFF
+fio.bootloader.high_fuses=0xDA
+fio.bootloader.extended_fuses=0x05
+fio.bootloader.path=arduino:atmega
+fio.bootloader.file=ATmegaBOOT_168_atmega328_pro_8MHz.hex
+fio.bootloader.unlock_bits=0x3F
+fio.bootloader.lock_bits=0x0F
+
+fio.build.mcu=atmega328p
+fio.build.f_cpu=8000000L
+fio.build.core=arduino:arduino
+
+##############################################################
+
lilypad328.name=LilyPad Arduino w/ ATmega328
lilypad328.upload.protocol=stk500
@@ -179,27 +199,6 @@ pro.build.mcu=atmega168
pro.build.f_cpu=8000000L
pro.build.core=arduino
-##############################################################
-
-fio.name=Arduino Fio
-
-fio.upload.protocol=stk500
-fio.upload.maximum_size=30720
-fio.upload.speed=57600
-
-fio.bootloader.low_fuses=0xFF
-fio.bootloader.high_fuses=0xDA
-fio.bootloader.extended_fuses=0x05
-fio.bootloader.path=arduino:atmega
-fio.bootloader.file=ATmegaBOOT_168_atmega328_pro_8MHz.hex
-fio.bootloader.unlock_bits=0x3F
-fio.bootloader.lock_bits=0x0F
-
-fio.build.mcu=atmega328p
-fio.build.f_cpu=8000000L
-fio.build.core=arduino:arduino
-
-
##############################################################
atmega168.name=Arduino NG or older w/ ATmega168
diff --git a/readme.txt b/readme.txt
index 0cb616503..d82c3f753 100644
--- a/readme.txt
+++ b/readme.txt
@@ -39,370 +39,3 @@ Processing and Wiring.
Icon Design and Artwork created by Thomas Glaser (envis precisely).
-UPDATES
-
-0018 - 2010.01.29
-
-[core / libraries]
-
-* Added tone() and noTone() functions for frequency generation.
-* Added Serial.end() command.
-* Added precision parameter for printing of floats / doubles.
-* Incorporated latest version of Firmata.
-* Fixed bug w/ disabling use of the RW pin in the LiquidCrystal library.
-* No longer disabling interrupts in delayMicroseconds().
-* Fixed bug w/ micros() returning incorrect values from within an interrupt.
-* Fixed bug that broke use of analog inputs 8-15 on the Mega.
-
-[environment]
-
-* Synchronized with the Processing 1.0.9 code base, bringing various fixes,
- including to a bug causing saving to fail when closing the last sketch.
-
-* Added support for third-party hardware in the SKETCHBOOK/hardware folder,
- mirroring the current structure of the hardware folder in Arduino.
-
-* Added Ctrl-Shift-M / Command-Shift-M shortcut for serial monitor.
-
-* Hold down shift when pressing the Verify / Compile or Upload toolbar
- buttons to generate verbose output (including command lines).
-
-* Moving build (on upload) from the applet/ sub-folder of the sketch
- to a temporary directory (fixing problems with uploading examples from
- within the Mac OS X disk image or a Linux application directory).
-
-* Fixed bug the prevented the inclusion of .cpp and .h (or .c and .h) files
- of the same name in a sketch.
-
-* Improved the Mac OS X disk image (.dmg): added a shortcut to the
- Applications folder, a background image with arrow, and new FTDI drivers.
-
-0017 - 2009.07.25
-
-[documentation / examples]
-* Many new and revised examples from Tom Igoe.
-
-[core / libraries]
-* Updated LiquidCrystal library by Limor Fried. See reference for details.
-* Updated Firmata library to version 2.1 (rev. 25).
-* Replaced the Servo library with one (MegaServo) by Michael Margolis.
- Supports up to 12 servos on most Arduino boards and 48 on the Mega.
-* Improving the accuracy of the baud rate calculations for serial
- communication (fixing double-speed problems on 8 MHz Arduino boards).
- Thanks to gabebear.
-
-[environment]
-* Synchronized with the Processing 1.0.3 code base (rev. 5503), bringing
- many improvements (listed below).
-* New icons and about image by Thomas Glaser (envis precisely).
-* Support for multiple sketch windows.
-* The serial monitor now has its own window.
-* Comment / Uncomment menu item (in Edit) and keyboard shortcut.
-* Increase and Decrease Indent menu items (in Edit) and keyboard shortcuts.
-* Support for third-party libraries in the SKETCHBOOK/libraries folder.
-* Libraries are now compiled with the sketch, eliminating the delay when
- switching boards and the need to delete .o files when changing library
- source code.
-* Arduino now comes as an app file (in a dmg) on the Mac.
-* Adding the Arduino Nano w/ ATmega328 to the Tools > Board menu.
-
-0016 - 2009.05.30
-
-[documentation / examples]
-* New communication examples (w/ corresponding Processing and Max/MSP code) by
- Tom Igoe.
-
-[core / libraries]
-* Adding support for the Arduino Pro and Pro Mini 3.3V / 8 MHz w/ ATmega328.
-* Adding support for the LilyPad Arduino w/ ATmega328.
-* Adding write(str) and write(buf, size) methods to Print, Serial, and the
- Ethernet library Client and Server classes. This allows for more efficient
- (fewer packet) Ethernet communication. (Thanks to mikalhart.)
-* Improvements to the way the Ethernet library Client class connects and
- disconnects. Should reduce or eliminate failed connections and long
- timeouts. (Thanks to Bruce Luckcuck.)
-* Optimizing the timer0 overflow interrupt handler (used for millis() and
- micros()). Thanks to westfw and mikalhart.
-* Fixing bug that limited the bit() macro to 15 bits. Thanks to Paul Badger.
-* Adding ARDUINO version constant (thanks to prodding from mikalhart).
-
-[environment]
-* Ordering the items in the Tools > Board menu.
-* Adding "Copy as HTML" command to the Tools menu.
-* Eliminating (maybe) the occasional "Couldn't determine program size" errors.
- Thanks to the Clever Monkey.
-* Moving selection of Linux look-and-feel into the arduino script so it can
- be changed by users. Thanks to Eberhard Fahle.
-
-[tools]
-* Adding automatic dependency generation to the Makefile. (Lars Immisch)
-
-0015 - 2009.03.26
-
-[core / libraries]
-* Adding support for the Arduino Mega (ATmega1280).
-
-[environment]
-* Reinstating use of core.a library in the build process, slightly shrinking
- compiled sketch sizes. (Thanks to William Westfield.)
-* Fixing bug in copy for forum (thanks to eried).
-
-0014 - 2009.03.07
-
-[core / libraries]
-* Fixing bug that prevented multiple outgoing Client connections with the
- ethernet library.
-
-[environment]
-* Clarifying ATmega168 vs. ATmega328 in the Tools > Boards menu.
-
-[tools]
-* Updating the Mac OS X AVR tools to AVR MacPack 20081213. This includes
- avr-gcc 4.3.2, which should fix problems with functions called from
- within interrupts.
-
-0013 - 2009.02.06
-
-[documentation / examples]
-* Adding examples for Parallax Ping Sensor and Memsic 2125 accelerometer.
-
-[core / libraries]
-* Adding support for the ATmega328. The upload speed is 57600 baud, so you
- may need to edit boards.txt or reburn your bootloader if you bought an
- ATmega328 w/ bootloader from adafruit or other supplier.
-* Adding support for printing floats to Print class (meaning that it works
- in the Serial, Ethernet, and LiquidCrystal classes too). Includes two
- decimal places.
-* Added word, word(), bitRead(), bitWrite(), bitSet(), bitClear(), bit(),
- lowByte(), and highByte(); see reference for details.
-* Working around problem that caused PWM output on pins 5 and 6 to never go
- to 0 (causing, for example, an LED to continue to glow faintly).
-* Removing cast macros, since function-style casts are a feature of C++. This
- should fix contributed libraries that broke in Arduino 0012.
-* Modifying pulseIn() to wait for a transition to start timing (i.e. ignoring
- any pulse that had already started when the function was called).
-* Fixing bug in random() that limited the ranges of values generated. Thanks
- to Mikal Hart.
-* Modifying delay() to pause for at least the given number of milliseconds.
-* Fixing bug in Ethernet library that interfered with use of pins 8 and 9.
-* Originating each outgoing network connection from a different port (in the
- Client class of the Ethernet library). Thanks to Paul and joquer.
-* Updating ATmega168 bootloader to work with standard distributions of avrdude
- (responding to signature requests made with the universal SPI command) and
- correctly store EEPROM data. Thanks to ladyada.
-
-[environment]
-* Omitting unused functions from compiled sketches, reducing their size.
-* Changing compilation process to allow for use of EEMEM directive (although
- not yet uploading EEPROM data).
-
-0012 - 2008.09.18
-
-* Added Arduino Nano to the boards menu.
-* Arduino Pro or Pro Mini (8 MHz) to the boards menu.
-* Added Firmata library by Hans Steiner and others. This provides a standard
- protocol for communicating with software on the computer.
-* Added an Ethernet library for use with the Arduino Ethernet Shield.
-* Added a Servo library based on the work of Jim Studt.
-* Added a LiquidCrystal library based on the work in the playground. It
- supports both 4- and 8-bit modes.
-* Improved millis(): it now overflows after 49 days instead of 9 hours, but
- now uses slightly more processing power.
-* Fixed reversing direction bug in Stepper library. (Thanks to Wayne Holder.)
-* Moved insertion of #include