diff --git a/luaj-2.0.3/.classpath b/luaj-2.0.3/.classpath deleted file mode 100644 index eded28b8c..000000000 --- a/luaj-2.0.3/.classpath +++ /dev/null @@ -1,19 +0,0 @@ - - - - - - - - - - - - - - - - - - - diff --git a/luaj-2.0.3/.project b/luaj-2.0.3/.project deleted file mode 100644 index 15180d114..000000000 --- a/luaj-2.0.3/.project +++ /dev/null @@ -1,17 +0,0 @@ - - - luaj-vm - - - - - - org.eclipse.jdt.core.javabuilder - - - - - - org.eclipse.jdt.core.javanature - - diff --git a/luaj-2.0.3/LICENSE b/luaj-2.0.3/LICENSE deleted file mode 100644 index 2cc180864..000000000 --- a/luaj-2.0.3/LICENSE +++ /dev/null @@ -1,19 +0,0 @@ -Copyright (c) 2007 LuaJ. All rights reserved. - -Permission is hereby granted, free of charge, to any person obtaining a copy -of this software and associated documentation files (the "Software"), to deal -in the Software without restriction, including without limitation the rights -to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -copies of the Software, and to permit persons to whom the Software is -furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in -all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -THE SOFTWARE. \ No newline at end of file diff --git a/luaj-2.0.3/README.html b/luaj-2.0.3/README.html deleted file mode 100644 index c635954d6..000000000 --- a/luaj-2.0.3/README.html +++ /dev/null @@ -1,780 +0,0 @@ - - - - -Getting Started with LuaJ - - - - - - -
-

- - -Getting Started with LuaJ - -

-James Roseborough, Ian Farmer, Version 2.0.3 -

- -Copyright © 2009-2012 Luaj.org. -Freely available under the terms of the -Luaj license. - -


-

- -introduction -· -examples -· -concepts -· -libraries -· -luaj api -· -parser -· -building -· -downloads -· -release notes - - -

- -

1 - Introduction

-

Goals of Luaj

-Luaj is a lua interpreter based on the 5.1.x version of lua with the following goals in mind: - - -

Differences with 1.0

-In addition to the basic goals of luaj, version 2.0 is aimed -at improving on the 1.0 vm in the following aspects. - - -

Performance

-Good performance is a major goal of luaj. -The following table provides measured execution times on a subset of benchmarks from -the computer language benchmarks game -in comparison with the standard C distribution. -
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
ProjectVersionMode  Benchmark execution time (sec)  LanguageSample command
binarytrees 15fannkuch 10nbody 1e6nsieve 9
luaj2.0-b (luajc)2.9805.07316.79411.274Javajava -cp luaj-jse-2.0.3.jar;bcel-5.2.jar lua -b fannkuch.lua 10
-j (lua2java)4.4635.88416.70113.789java -cp luaj-jse-2.0.3.jar lua -j fannkuch.lua 10
-n (interpreted)12.83823.29036.89415.163java -cp luaj-jse-2.0.3.jar lua -n fannkuch.lua 10
lua5.1.417.63716.04415.2015.477Clua fannkuch.lua 10
jill1.0.144.51254.63072.17220.779Java
kahlua1.0jse22.96363.27768.22321.529Java
mochalua1.050.45770.36882.86841.262Java
- -Luaj in interpreted mode performs well for the benchmarks, and even better when source-to-source (lua2java) -or bytecode-to-bytecode (luajc) compilers are used, -and actually executes faster than C-based lua in some cases. -It is also faster than Java-lua implementations Jill, Kahlua, and Mochalua for all benchmarks tested. - -

2 - Simple Examples

- -

Run a lua script in Java SE

- -

-From the main distribution directory line type: - -

-	java -cp lib/luaj-jse-2.0.3.jar lua examples/lua/hello.lua
-
- -

-You should see the following output: -

-	hello, world
-
- -To see how luaj can be used to acccess most Java API's including swing, try: - -
-	java -cp lib/luaj-jse-2.0.3.jar lua examples/lua/swingapp.lua
-
- -

Compile lua source to lua bytecode

- -

-From the main distribution directory line type: - -

-	java -cp lib/luaj-jse-2.0.3.jar luac examples/lua/hello.lua
-	java -cp lib/luaj-jse-2.0.3.jar lua luac.out
-
- -

-The compiled output "luac.out" is lua bytecode and should run and produce the same result. - -

Compile lua source to java source

- -

-Luaj can compile to lua source code to Java source code: - -

-	java -cp lib/luaj-jse-2.0.3.jar lua2java -s examples/lua -d . hello.lua
-	javac -cp lib/luaj-jse-2.0.3.jar hello.java
-	java -cp "lib/luaj-jse-2.0.3.jar;." lua -l hello
-
- -

-The output hello.java is Java source, that implements the logic in hello.lua directly. -Once hello.java is compiled into hello.class it can be required and used in place of the original lua script, but with better performance. -There are no additional dependencies for compiling or running source-to-source compiled lua. - -

-Lua scripts can also be run directly in this mode without precompiling using the lua command with the -j option when run in JDK 1.5 or higher: -

-	java -cp lib/luaj-jse-2.0.3.jar lua -j examples/lua/hello.lua
-
- -

Compile lua bytecode to java bytecode

- -

-Luaj can compile lua sources or binaries directly to java bytecode if the bcel library is on the class path. From the main distribution directory line type: - -

-	ant bcel-lib
-	java -cp "lib/luaj-jse-2.0.3.jar;lib/bcel-5.2.jar" luajc -s examples/lua -d . hello.lua
-	java -cp "lib/luaj-jse-2.0.3.jar;." lua -l hello
-
- -

-The output hello.class is Java bytecode, should run and produce the same result. -There is no runtime dependency on the bcel library, -but the compiled classes must be in the class path at runtime, unless runtime jit-compiling via luajc and bcel are desired (see later sections). - -

-Lua scripts can also be run directly in this mode without precompiling using the lua command with the -b option and providing the bcel library in the class path: -

-	java -cp "lib/luaj-jse-2.0.3.jar;lib/bcel-5.2.jar" lua -b examples/lua/hello.lua
-
- - -

Run a script in a Java Application

- -

-The following pattern is used within Java SE - -

-	import org.luaj.vm2.*;
-	import org.luaj.vm2.lib.jse.*;
-
-	String script = "examples/lua/hello.lua";
-	LuaValue _G = JsePlatform.standardGlobals();
-	_G.get("dofile").call( LuaValue.valueOf(script) );
-
- -

-A simple example may be found in -

-	examples/jse/SampleJseMain.java
-
- -

-You must include the library lib/luaj-jse-2.0.3.jar in your class path. - -

Run a script in a MIDlet

- -

-The for MIDlets the JmePlatform is used instead: - -

-	import org.luaj.vm2.*;
-	import org.luaj.vm2.lib.jme.*;
-
-	String script = "examples/lua/hello.lua";
-	LuaValue _G = JmePlatform.standardGlobals();
-	_G.get("dofile").call( LuaValue.valueOf(script) );
-
- -

-The file must be a resource within within the midlet jar for dofile() to find it. -Any files included via require() must also be part of the midlet resources. - -

-A simple example may be found in -

-	examples/jme/SampleMIDlet.java
-
- -

-You must include the library lib/luaj-jme-2.0.3.jar in your midlet jar. - -

-An ant script to build and run the midlet is in -

-	build-midlet.xml
-
- -

-You must install the wireless toolkit and define WTK_HOME for this script to work. - -

Run a script using JSR-223 Dynamic Scripting

- -

-The standard use of JSR-223 scripting engines may be used: - -

-	ScriptEngineManager mgr = new ScriptEngineManager();
-	ScriptEngine e = mgr.getEngineByExtension(".lua");
-	e.put("x", 25);
-	e.eval("y = math.sqrt(x)");
-	System.out.println( "y="+e.get("y") );
-
- -

-All standard aspects of script engines including compiled statements should be supported. - -

-You must include the library lib/luaj-jse-2.0.3.jar in your class path. - -

-A working example may be found in -

-	examples/jse/ScriptEngineSample.java
-
- -To compile and run it using Java 1.6 or higher: - -
-	javac examples/jse/ScriptEngineSample.java
-	java -cp "lib/luaj-jse-2.0.3.jar;examples/jse" ScriptEngineSample
-
- -

Excluding the lua bytecode compiler

- -By default, the compiler is included whenever standardGlobals() or debugGlobals() are called. -Without a compiler, files can still be executed, but they must be compiled elsewhere beforehand. -The "luac" utility is provided in the jse jar for this purpose, or a standard lua compiler can be used. - -

-To exclude the lua-to-lua-bytecode compiler, do not call -standardGlobals() or debugGlobals() -but instead initialize globals with including only those libraries -that are needed and omitting the line: -

-	org.luaj.vm2.compiler.LuaC.install();
-
- - -

Including the Lua2Java lua-source-to-Java-source compiler

- -

-To compile from lua sources to Java sources for all lua loaded at runtime, -install the Lua2Java compiler after globals have been created using: - -

-	org.luaj.vm2.jse.lua2java.Lua2Java.install();
-
- -This uses the system Java compiler to compile from Java source to Java bytecode, -and cannot compile lua binary files containing lua bytecode at runtime. - -

Including the LuaJC lua-bytecode-to-Java-bytecode compiler

- -

-To compile from lua to Java bytecode for all lua loaded at runtime, -install the LuaJC compiler after globals have been created using: - -

-	org.luaj.vm2.jse.luajc.LuaJC.install();
-
- -

-This will compile all lua bytecode into Java bytecode, regardless of if they are loaded as -lua source or lua binary files. - -

-The requires bcel to be on the class path, and the ClassLoader of JSE or CDC. - -

3 - Concepts

- -

Globals

-The old notion of platform has been replaced with creation of globals. -Two classes are provided to encapsulate common combinations of libraries. - -

JsePlatform

- -This class can be used as a factory for globals in a typical Java SE application. -All standard libraries are included, as well as the luajava library. -The default search path is the current directory, -and the math operations include all those supported by Java SE. - -

JmePlatform

- -This class can be used to set up the basic environment for a Java ME application. -The default search path is limited to the jar resources, -and the math operations are limited to those supported by Java ME. -All libraries are included except luajava, and the os, io, and math libraries are -limited to those functions that can be supported on that platform. - - -

4 - Libraries

- -

Standard Libraries

- -Libraries are coded to closely match the behavior specified in -See standard lua documentation for details on the library API's - -

-The following libraries are loaded by both JsePlatform.standardGlobals() and JmePlatform.standardGlobals(): -

	base
-	coroutine
-	io
-	math
-	os
-	package
-	string
-	table
-
- -

-The JsePlatform.standardGlobals() globals also include: -

	luajava 
-
- -

-The JsePlatform.debugGlobals() and JsePlatform.debugGlobals() functions produce globals that include: -

	debug
-
- -

I/O Library

-The implementation of the io library differs by platform owing to platform limitations. - -

-The JmePlatform.standardGlobals() instantiated the io library io in -

-	src/jme/org/luaj/vm2/lib/jme/JmeIoLib.java
-
- -The JsePlatform.standardGlobals() includes support for random access and is in -
-	src/jse/org/luaj/vm2/lib/jse/JseIoLib.java
-
- -

OS Library

-The implementation of the os library also differs per platform. - -

-The basic os library implementation us used by JmePlatform and is in: -

-	src/core/org/luaj/lib/OsLib.java
-
- -A richer version for use by JsePlatform is : -
-	src/jse/org/luaj/vm2/lib/jse/JseOsLib.java
-
- -Time is a represented as number of milliseconds since the epoch, -and most time and date formatting, locales, and other features -are not implemented. - -

Coroutine Library

-The coroutine library is implemented using one JavaThread per coroutine. -This allows coroutine.yield() can be called from anywhere, -as with the yield-from-anywhere patch in C-based lua. - -

-Luaj uses WeakReferences and the OrphanedThread error to ensure that coroutines that are no longer referenced -are properly garbage collected. For thread safety, OrphanedThread should not be caught by Java code. -See LuaThread -and OrphanedThread -javadoc for details. - -

Debug Library

-The debug library is not included by default by -JmePlatform.standardGlobals() or JsePlatform.standardGlobsls() . - -The functions JmePlatform.debugGlobals() and JsePlatform.debugGlobsls() -create globals that contain the debug library in addition to the other standard libraries. - -To install dynamically from lua use java-class-based require:: -
-	require 'org.luaj.vm2.lib.DebugLib'
-
- -The lua command line utility includes the debug library by default. - - -

The Luajava Library

-The JsePlatform.standardGlobals() includes the luajava library, which simplifies binding to Java classes and methods. -It is patterned after the original luajava project. - -

-The following lua script will open a swing frame on Java SE: -

-	jframe = luajava.bindClass( "javax.swing.JFrame" )
-	frame = luajava.newInstance( "javax.swing.JFrame", "Texts" );
-	frame:setDefaultCloseOperation(jframe.EXIT_ON_CLOSE)
-	frame:setSize(300,400)
-	frame:setVisible(true)
-
- -

-See a longer sample in examples/lua/swingapp.lua for details, including a simple animation loop, rendering graphics, mouse and key handling, and image loading. -Or try running it using: -

-	java -cp lib/luaj-jse-2.0.3.jar lua examples/lua/swingapp.lua
-
- -

-The Java ME platform does not include this library, and it cannot be made to work because of the lack of a reflection API in Java ME. - -

-The lua connand line tool includes luajava. - -

5 - LuaJ API

- -

API Javadoc

-The javadoc for the main classes in the LuaJ API are on line at -
-	 http://luaj.sourceforge.net/api/2.0
-
- -You can also build a local version from sources using -
-	 ant doc
-
- -

LuaValue and Varargs

-All lua value manipulation is now organized around -LuaValue -which exposes the majority of interfaces used for lua computation. -
-	 org.luaj.vm2.LuaValue
-
- -

Common Functions

-LuaValue exposes functions for each of the operations in LuaJ. -Some commonly used functions and constants include: -
-	call();               // invoke the function with no arguments
-	call(LuaValue arg1);  // call the function with 1 argument
-	invoke(Varargs arg);  // call the function with variable arguments, variable return values
-	get(int index);       // get a table entry using an integer key
-	get(LuaValue key);    // get a table entry using an arbitrary key, may be a LuaInteger
-	rawget(int index);    // raw get without metatable calls
-	valueOf(int i);       // return LuaValue corresponding to an integer
-	valueOf(String s);    // return LuaValue corresponding to a String
-	toint();              // return value as a Java int
-	tojstring();          // return value as a Java String
-	isnil();              // is the value nil
-	NIL;                  // the value nil
-	NONE;                 // a Varargs instance with no values	 
-
- -

Varargs

-The interface Varargs provides an abstraction for -both a variable argument list and multiple return values. -For convenience, LuaValue implements Varargs so a single value can be supplied anywhere -variable arguments are expected. -
-	 org.luaj.vm2.Varargs
-
- -

Common Functions

-Varargs exposes functions for accessing elements, and coercing them to specific types: -
-	narg();                 // return number of arguments
-	arg1();                 // return the first argument
-	arg(int n);             // return the nth argument
-	isnil(int n);           // true if the nth argument is nil
-	checktable(int n);      // return table or throw error
-	optlong(int n,long d);  // return n if a long, d if no argument, or error if not a long
-
- -See the Varargs API for a complete list. - -

LibFunction

-The simplest way to implement a function is to choose a base class based on the number of arguments to the function. -LuaJ provides 5 base classes for this purpose, depending if the function has 0, 1, 2, 3 or variable arguments, -and if it provide multiple return values. -
-	 org.luaj.vm2.lib.ZeroArgFunction
-	 org.luaj.vm2.lib.OneArgFunction
-	 org.luaj.vm2.lib.TwoArgFunction
-	 org.luaj.vm2.lib.ThreeArgFunction
-	 org.luaj.vm2.lib.VarArgFunction
-
- -Each of these functions has an abstract method that must be implemented, -and argument fixup is done automatically by the classes as each Java function is invoked. - -

-For example, to implement a "hello, world" function, we could supply: -

-	pubic class hello extends ZeroArgFunction {
-		public LuaValue call() {
-			env.get("print").call(valueOf("hello, world"));
-		}
-	}
-
- -The value env is the environment of the function, and is normally supplied -by the instantiating object whenever default loading is used. - -

-Calling this function from lua could be done by: -

 
-	require( 'hello' )()
-
- -while calling this function from Java would look like: -
 
-	new hello().call();
-
- -Note that in both the lua and Java case, extra arguments will be ignored, and the function will be called. -Also, no virtual machine instance is necessary to call the function. -To allow for arguments, or return multiple values, extend one of the other base classes. - -

Closures

-Closures still exist in this framework, but are optional, and are only used to implement lua bytecode execution. - -

6 - Parser

- -

Javacc Grammar

-A Javacc grammarwas developed to simplify the creation of Java-based parsers for the lua language. -The grammar is specified for javacc version 5.0 because that tool generates standalone -parsers that do not require a separate runtime. - -

-A plain undecorated grammer that can be used for validation is available in grammar/Lua51.jj -while a grammar that generates a typed parse tree is in grammar/LuaParser.jj - -

Creating a Parse Tree from Lua Source

-The default lu compiler does a single-pass compile of lua source to lua bytecode, so no explicit parse tree is produced. - -

-To simplify the creation of abstract syntax trees from lua sources, the LuaParser class is generated as part of the JME build. -To use it, provide an input stream, and invoke the root generator, which will return a Chunk if the file is valid, -or throw a ParseException if there is a syntax error. - -

-For example, to parse a file and print all variable names, use code like: -

-	try {
-		String file = "main.lua";
-		LuaParser parser = new LuaParser(new FileInputStream(file));
-		Chunk chunk = parser.Chunk();
-		chunk.accept( new Visitor() {
-			public void visit(Exp.NameExp exp) {
-				System.out.println("Name in use: "+exp.name.name);
-			}
-		} );
-	} catch ( ParseException e ) {
-		System.out.println("parse failed: " + e.getMessage() + "\n"
-			+ "Token Image: '" + e.currentToken.image + "'\n"
-			+ "Location: " + e.currentToken.beginLine + ":" + e.currentToken.beginColumn 
-			         + "-" + e.currentToken.endLine + "," + e.currentToken.endColumn);
-	}
-
-In luaj 2.0.3 error reporting was turned on in the parser so line numbers are avaiable for most parse exceptions. -This example may be found in -
-	examples/jse/SampleParser.java
-
- -

-See the org.luaj.vm2.ast package javadoc for the API relating to the syntax tree that is produced. - -

7 - Building and Testing

- -

Building the jars

-An ant file is included in the root directory which builds the libraries by default. - -

-Other targets exist for creating distribution file an measuring code coverage of unit tests. - -

Unit tests

- -

-The main luaj JUnit tests are organized into a JUnit 3 suite: -

-	test/junit/org/luaj/vm2/AllTests.lua
-
- -

-Unit test scripts can be found in these locations -

-	test/lua/*.lua
-	test/junit/org/luaj/vm2/compiler/lua5.1-tests.zip
-	test/junit/org/luaj/vm2/compiler/regressions.zip
-	test/junit/org/luaj/vm2/vm1/luajvm1-tests.zip
-
- -

Code coverage

- -

-A build script for running unit tests and producing code coverage statistics is in -

-	build-coverage.xml
-
- -It relies on the cobertura code coverage library. - -

8 - Downloads

- -

Downloads and Project Pages

-Downloads for all version available on SourceForge or LuaForge. -Sources are hosted on SourceForge and available via sourceforge.net -
-
-	SourceForge Luaj Project Page
-	SourceForge Luaj Download Area
-
-

-and LuaForge: -

-	LuaForge Luaj Project Page
-	LuaForge Luaj Project Area
-
- -

9 - Release Notes

- -

Main Changes by Version

-
- - - -
  2.0
    -
  • Initial release of 2.0 version
  • -
  2.0.1
    -
  • Improve correctness of singleton construction related to static initialization
  • -
  • Fix nan-related error in constant folding logic that was failing on some JVMs
  • -
  • JSR-223 fixes: add META-INF/services entry in jse jar, improve bindings implementation
  • -
  2.0.2
    -
  • JSR-223 bindings change: non Java-primitives will now be passed as LuaValue
  • -
  • JSR-223 enhancement: allow both ".lua" and "lua" as extensions in getScriptEngine()
  • -
  • JSR-223 fix: use system class loader to support using luaj as JRE extension
  • -
  • Improve selection logic when binding to overloaded functions using luajava
  • -
  • Enhance javadoc, put it in distribution and on line
  • -
  • Major refactor of luajava type coercion logic, improve method selection.
  • -
  • Add lib/luaj-sources-2.0.2.jar for easier integration into an IDE such as Netbeans
  • -
  2.0.3
    -
  • Improve coroutine state logic including let unreferenced coroutines be garbage collected
  • -
  • Fix lua command vararg values passed into main script to match what is in global arg table
  • -
  • Add arithmetic metatag processing when left hand side is a number and right hand side has metatable
  • -
  • Fix load(func) when mutiple string fragments are supplied by calls to func
  • -
  • Allow access to public members of private inner classes where possible
  • -
  • Turn on error reporting in LuaParser so line numbers ar available in ParseException
  • -
  • Improve compatibility of table.remove()
  • -
  • Disallow base library setfenv() calls on Java functions
  • -
- -

Known Issues

- - diff --git a/luaj-2.0.3/build-coverage.xml b/luaj-2.0.3/build-coverage.xml deleted file mode 100644 index 8a491f8cc..000000000 --- a/luaj-2.0.3/build-coverage.xml +++ /dev/null @@ -1,119 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/luaj-2.0.3/build-libs.xml b/luaj-2.0.3/build-libs.xml deleted file mode 100644 index 872c5bb81..000000000 --- a/luaj-2.0.3/build-libs.xml +++ /dev/null @@ -1,56 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/luaj-2.0.3/build.xml b/luaj-2.0.3/build.xml deleted file mode 100644 index b2af82f7f..000000000 --- a/luaj-2.0.3/build.xml +++ /dev/null @@ -1,172 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Luaj API]]> - Copyright © 2007-2008 Luaj.org. All Rights Reserved.]]> - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/luaj-2.0.3/names.csv b/luaj-2.0.3/names.csv deleted file mode 100644 index 5c6b8f8f1..000000000 --- a/luaj-2.0.3/names.csv +++ /dev/null @@ -1,89 +0,0 @@ -LuaValue Consructors,,Return type,,,,,,,,,, -,valueOf(boolean),LuaBoolean,,,,,,,,,, -,valueOf(null),LuaNil,,,,,,,,,, -,valueOf(int) ,LuaInteger,,,,,,,,,, -,valueOf(double),LuaNumber,,,,,,,,,, -,valueOf(long),LuaNumber,,,,,,,,,, -,valueOf(String),LuaString,,,,,,,,,, -,tableOf(...),LuaTable,,,,,,,,,, -,listOf(LuaValue[]),LuaTable,,,,,,,,,, -,userdataOf(Object),LuaUserdata,,,,,,,,,, -,"uerdataOf(Object,Value)",LuaUserdata,,,,,,,,,, -,,,,,,,Arugment type,,,,, -,,,LuaBoolean,LuaClosure,LuaFunction,LuaDouble,LuaInteger,LuaNil,LuaString,LuaTable,LuaThread,LuaUserdata -Type Check Functions,,,,,,,,,,,, -,isboolean,boolean,TRUE,f,f,f,f,f,f,f,f,f -,isclosure,boolean,f,TRUE,f,f,f,f,f,f,f,f -,isfunction,boolean,f,TRUE,TRUE,f,f,f,f,f,f,f -,isint,boolean,f,f,f,f,TRUE,f,true | f,f,f,f -,isinttype,boolean,f,f,f,f,TRUE,f,f,f,f,f -,isnumber,boolean,f,f,f,TRUE,TRUE,f,true | f,f,f,f -,islong,boolean,f,f,f,true | f,TRUE,f,true | f,f,f,f -,isnil,boolean,f,f,f,f,f,TRUE,f,f,f,f -,isstring,boolean,f,f,f,true | f,TRUE,f,TRUE,f,f,f -,istable,boolean,f,f,f,f,f,f,f,TRUE,f,f -,isthread,boolean,f,f,f,f,f,f,f,f,TRUE,f -,isuserdata,boolean,f,f,f,f,f,f,f,f,f,TRUE -,isuserdata(Class c),boolean,f,f,f,f,f,f,f,f,f,true | f - - -Java Type Coercion Functions,,,,,,,,,,,, -,toboolean,boolean,this.v,TRUE,TRUE,TRUE,TRUE,TRUE,TRUE,TRUE,TRUE,TRUE -,tobyte,byte,0,0,0,0,this.v | 0,0,this.v | 0,0,0,0 -,tochar,char,0,0,0,0,this.v | 0,0,this.v | 0,0,0,0 -,todouble,double,0,0,0,this.v,this.v,0,this.v | 0,0,0,0 -,tofloat,float,0,0,0,this.v | 0,this.v,0,this.v | 0,0,0,0 -,toint,int,0,0,0,0,this.v,0,this.v | 0,0,0,0 -,tolong,long,0,0,0,0,this.v,0,this.v | 0,0,0,0 -,toshort,short,0,0,0,0,this.v | 0,0,this.v | 0,0,0,0 -,tojstring,String,"""true""|""false""","""closure: x""","""name""",(str) this.v,(str) this.v,"""nil""",this.v,"""table: x""","""thread: x""","""userdata: x""" -,touserdata,Object,null,null,null,null,null,null,null,null,this,this.instance - -,,,LuaBoolean,LuaClosure,LuaFunction,LuaDouble,LuaInteger,LuaNil,LuaString,LuaTable,LuaThread,LuaUserdata -Optional Argument Conversion Functions,,,,,,,,,,,, -,optboolean,boolean,this,e,e,e,e,defval,e,e,e,e -,optclosure,LuaClosure,n,this,e,e,e,defval,e,e,e,e -,optdouble,double,e,e,e,this,this,defval,this | e,e,e,e -,optfunction,LuaFunction,n,this,this,e,e,defval,e,e,e,e -,optint,int,e,e,e,(int) this,this,defval,this | e,e,e,e -,optinteger,LuaInteger,e,e,e,(int) this,this,defval,this | e,e,e,e -,optlong,long,e,e,e,(long) this,this,defval,this | e,e,e,e -,optnumber,LuaNumber,e,e,e,this,this,defval,this | e,e,e,e -,optjstring,String,e,e,e,(str) this.v,(str) this.v,defval,this,e,e,e -,optstring,LuaString,e,e,e,(str) this.v,(str) this.v,defval,this,e,e,e -,opttable,LuaTable,e,e,e,e,e,defval,e,this,e,e -,optthread,LuaThread,e,e,e,e,e,defval,e,e,this,n -,optuserdata,Object,e,e,e,e,e,defval,e,e,e,instance -,optuserdata(Class c),Object,e,e,e,e,e,defval,e,e,e,instance | e - -Required Argument Conversion Functions,,,,,,,,,,,, -,checkboolean,boolean,this,e,e,e,e,e,e,e,e,e -,checkclosure,LuaClosure,e,this,e,e,e,e,e,e,e,e -,checkdouble,double,e,e,e,this,this,e,e,e,e,e -,checkfunction,LuaFunction,e,this,this,e,e,e,e,e,e,e -,checkint,int,e,e,e,this | e,this,e,e,e,e,e -,checkinteger,LuaInteger,e,e,e,e,this,e,e,e,e,e -,checklong,LuaNumber,e,e,e,this | e,this,e,e,e,e,e -,checknumber,LuaNumber,e,e,e,this,this,e,e,e,e,e -,checkjstring,String,e,e,e,(str) this.v,(str) this.v,e,(str) this.v,e,e,e -,checkstring,LuaString,e,e,e,(str) this.v,(str) this.v,e,this,e,e,e -,checktable,LuaTable,e,e,e,e,e,e,e,this,e,e -,checkthread,LuaThread,e,e,e,e,e,e,e,e,this,e -,checkuserdata,Object,e,e,e,e,e,e,e,e,e,instance -,checkuserdata(Class c),Object,e,e,e,e,e,e,e,e,e,instance | e -,checkvalue,LuaValue,this,this,this,this,this,e,this,this,this,this - -,,,LuaBoolean,LuaClosure,LuaFunction,LuaDouble,LuaInteger,LuaNil,LuaString,LuaTable,LuaThread,LuaUserdata -Lua Language Operations,,,,,,,,,,,, -,type,int,TBOOLEAN,TFUNCTION,TFUNCTION,TNUMBER,TNUMBER,TNIL,TSTRING,TTABLE,TTHREAD,TUSERDATA -,typename,string,"""boolean""","""function""","""function""","""number""","""number""","""nil""","""string""","""table""","""thread""","""userdata""" -,len,LuaInteger,e,e,e,e,e,e,#v,#v,e,e -,length,int,e,e,e,e,e,e,#v,#v,e,e -,getmetatable,LuaValue,static,static,static,static,static,static,static,instance,static ,instance -,setmetatable,LuaValue,e,e,e,e,e,e,e,instance,e,instance -,getfenv,LuaTable,e,instance,instance,e,e,e,e,e,instance,e -,setfenv,LuaFunction,e,instance,instance,e,e,e,e,e,instance,e -,call,LuaValue,__call,call,call,__call,__call,__call,__call,__call,__call,__call -,invoke,Varargs,__call,call,call,__call,__call,__call,__call,__call,__call,__call -,get,LuaValue,__index,__index,__index,__index,__index,__index,__index,get,__index,__index -,set,LuaValue,__newindex,__newindex,__newindex,__newindex,__newindex,__newindex,__newindex,set,__newindex,__newindex diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/Buffer.java b/luaj-2.0.3/src/core/org/luaj/vm2/Buffer.java deleted file mode 100644 index 1789bc39d..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/Buffer.java +++ /dev/null @@ -1,260 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - - -/** - * String buffer for use in string library methods, optimized for production - * of StrValue instances. - *

- * The buffer can begin initially as a wrapped {@link LuaValue} - * and only when concatenation actually occurs are the bytes first copied. - *

- * To convert back to a {@link LuaValue} again, - * the function {@link Buffer#value()} is used. - * @see LuaValue - * @see LuaValue#buffer() - * @see LuaString - */ -public final class Buffer { - - /** Default capacity for a buffer: 64 */ - private static final int DEFAULT_CAPACITY = 64; - - /** Shared static array with no bytes */ - private static final byte[] NOBYTES = {}; - - /** Bytes in this buffer */ - private byte[] bytes; - - /** Length of this buffer */ - private int length; - - /** Offset into the byte array */ - private int offset; - - /** Value of this buffer, when not represented in bytes */ - private LuaValue value; - - /** - * Create buffer with default capacity - * @see #DEFAULT_CAPACITY - */ - public Buffer() { - this(DEFAULT_CAPACITY); - } - - /** - * Create buffer with specified initial capacity - * @param initialCapacity the initial capacity - */ - public Buffer( int initialCapacity ) { - bytes = new byte[ initialCapacity ]; - length = 0; - offset = 0; - value = null; - } - - /** - * Create buffer with specified initial value - * @param value the initial value - */ - public Buffer(LuaValue value) { - bytes = NOBYTES; - length = offset = 0; - this.value = value; - } - - /** - * Get buffer contents as a {@link LuaValue} - * @return value as a {@link LuaValue}, converting as necessary - */ - public LuaValue value() { - return value != null? value: this.tostring(); - } - - /** - * Set buffer contents as a {@link LuaValue} - * @param value value to set - */ - public Buffer setvalue(LuaValue value) { - bytes = NOBYTES; - offset = length = 0; - this.value = value; - return this; - } - - /** - * Convert the buffer to a {@link LuaString} - * @return the value as a {@link LuaString} - */ - public final LuaString tostring() { - realloc( length, 0 ); - return LuaString.valueOf( bytes, offset, length ); - } - - /** - * Convert the buffer to a Java String - * @return the value as a Java String - */ - public String tojstring() { - return value().tojstring(); - } - - /** - * Convert the buffer to a Java String - * @return the value as a Java String - */ - public String toString() { - return tojstring(); - } - - /** - * Append a single byte to the buffer. - * @return {@code this} to allow call chaining - */ - public final Buffer append( byte b ) { - makeroom( 0, 1 ); - bytes[ offset + length++ ] = b; - return this; - } - - /** - * Append a {@link LuaValue} to the buffer. - * @return {@code this} to allow call chaining - */ - public final Buffer append( LuaValue val ) { - append( val.strvalue() ); - return this; - } - - /** - * Append a {@link LuaString} to the buffer. - * @return {@code this} to allow call chaining - */ - public final Buffer append( LuaString str ) { - final int n = str.m_length; - makeroom( 0, n ); - str.copyInto( 0, bytes, offset + length, n ); - length += n; - return this; - } - - /** - * Append a Java String to the buffer. - * The Java string will be converted to bytes using the UTF8 encoding. - * @return {@code this} to allow call chaining - * @see LuaString#encodeToUtf8(char[], byte[], int) - */ - public final Buffer append( String str ) { - char[] chars = str.toCharArray(); - /* DAN200 START */ - /* - final int n = LuaString.lengthAsUtf8( chars ); - makeroom( 0, n ); - LuaString.encodeToUtf8( chars, bytes, offset + length ); - length += n; - */ - makeroom( 0, chars.length ); - for( int i=0; i - * The {@link LuaNumber} will be converted to a string before concatenating. - * @param lhs the left-hand-side value onto which we are concatenating {@code this} - * @return {@link Buffer} for use in call chaining. - */ - public Buffer concatTo(LuaNumber lhs) { - return value!=null&&!value.isstring()? setvalue(lhs.concat(value)): prepend(lhs.strvalue()); - } - - /** Concatenate bytes from a {@link LuaString} onto the front of this buffer - * @param s the left-hand-side value which we will concatenate onto the front of {@code this} - * @return {@link Buffer} for use in call chaining. - */ - public Buffer prepend(LuaString s) { - int n = s.m_length; - makeroom( n, 0 ); - System.arraycopy( s.m_bytes, s.m_offset, bytes, offset-n, n ); - offset -= n; - length += n; - value = null; - return this; - } - - /** Ensure there is enough room before and after the bytes. - * @param nbefore number of unused bytes which must precede the data after this completes - * @param nafter number of unused bytes which must follow the data after this completes - */ - public final void makeroom( int nbefore, int nafter ) { - if ( value != null ) { - LuaString s = value.strvalue(); - value = null; - length = s.m_length; - offset = nbefore; - bytes = new byte[nbefore+length+nafter]; - System.arraycopy(s.m_bytes, s.m_offset, bytes, offset, length); - } else if ( offset+length+nafter > bytes.length || offset -* The {@link LoadState} class exposes one main function, -* namely {@link #load(InputStream, String, LuaValue)}, -* to be used to load code from a particular input stream. -*

-* A simple pattern for loading and executing code is -*

 {@code
-* LuaValue _G = JsePlatform.standardGlobals();
-* LoadState.load( new FileInputStream("main.lua"), "main.lua", _G ).call();
-* } 
-* This should work regardless of which {@link LuaCompiler} -* has been installed. -*

-* -* Prior to loading code, a compiler should be installed. -*

-* By default, when using {@link JsePlatform} or {@JmePlatform} -* to construct globals, the {@link LuaC} compiler is installed. -*

-* To override the default compiler with, say, the {@link LuaJC} -* lua-to-java bytecode compiler, install it before loading, -* for example: -*

 {@code
-* LuaValue _G = JsePlatform.standardGlobals();
-* LuaJC.install();
-* LoadState.load( new FileInputStream("main.lua"), "main.lua", _G ).call();
-* } 
-* -* @see LuaCompiler -* @see LuaClosure -* @see LuaFunction -* @see LoadState#compiler -* @see LoadState#load(InputStream, String, LuaValue) -* @see LuaC -* @see LuaJC -*/ -public class LoadState { - - /** format corresponding to non-number-patched lua, all numbers are floats or doubles */ - public static final int NUMBER_FORMAT_FLOATS_OR_DOUBLES = 0; - - /** format corresponding to non-number-patched lua, all numbers are ints */ - public static final int NUMBER_FORMAT_INTS_ONLY = 1; - - /** format corresponding to number-patched lua, all numbers are 32-bit (4 byte) ints */ - public static final int NUMBER_FORMAT_NUM_PATCH_INT32 = 4; - - // type constants - public static final int LUA_TINT = (-2); - public static final int LUA_TNONE = (-1); - public static final int LUA_TNIL = 0; - public static final int LUA_TBOOLEAN = 1; - public static final int LUA_TLIGHTUSERDATA = 2; - public static final int LUA_TNUMBER = 3; - public static final int LUA_TSTRING = 4; - public static final int LUA_TTABLE = 5; - public static final int LUA_TFUNCTION = 6; - public static final int LUA_TUSERDATA = 7; - public static final int LUA_TTHREAD = 8; - public static final int LUA_TVALUE = 9; - - /** Interface for the compiler, if it is installed. - *

- * See the {@link LuaClosure} documentation for examples of how to use the compiler. - * @see LuaClosure - * @see #load(InputStream, String, LuaValue) - * */ - public interface LuaCompiler { - - /** Load into a Closure or LuaFunction from a Stream and initializes the environment - * @throws IOException */ - public LuaFunction load(InputStream stream, String filename, LuaValue env) throws IOException; - } - - /** Compiler instance, if installed */ - public static LuaCompiler compiler = null; - - /** Signature byte indicating the file is a compiled binary chunk */ - private static final byte[] LUA_SIGNATURE = { '\033', 'L', 'u', 'a' }; - - /** Name for compiled chunks */ - public static final String SOURCE_BINARY_STRING = "binary string"; - - - /** for header of binary files -- this is Lua 5.1 */ - public static final int LUAC_VERSION = 0x51; - - /** for header of binary files -- this is the official format */ - public static final int LUAC_FORMAT = 0; - - /** size of header of binary files */ - public static final int LUAC_HEADERSIZE = 12; - - // values read from the header - private int luacVersion; - private int luacFormat; - private boolean luacLittleEndian; - private int luacSizeofInt; - private int luacSizeofSizeT; - private int luacSizeofInstruction; - private int luacSizeofLuaNumber; - private int luacNumberFormat; - - /** input stream from which we are loading */ - public final DataInputStream is; - - /** Name of what is being loaded? */ - String name; - - private static final LuaValue[] NOVALUES = {}; - private static final Prototype[] NOPROTOS = {}; - private static final LocVars[] NOLOCVARS = {}; - private static final LuaString[] NOSTRVALUES = {}; - private static final int[] NOINTS = {}; - - /** Read buffer */ - private byte[] buf = new byte[512]; - - - /** Load a 4-byte int value from the input stream - * @return the int value laoded. - **/ - int loadInt() throws IOException { - is.readFully(buf,0,4); - return luacLittleEndian? - (buf[3] << 24) | ((0xff & buf[2]) << 16) | ((0xff & buf[1]) << 8) | (0xff & buf[0]): - (buf[0] << 24) | ((0xff & buf[1]) << 16) | ((0xff & buf[2]) << 8) | (0xff & buf[3]); - } - - /** Load an array of int values from the input stream - * @return the array of int values laoded. - **/ - int[] loadIntArray() throws IOException { - int n = loadInt(); - if ( n == 0 ) - return NOINTS; - - // read all data at once - int m = n << 2; - if ( buf.length < m ) - buf = new byte[m]; - is.readFully(buf,0,m); - int[] array = new int[n]; - for ( int i=0, j=0; i> 52) & 0x7ffL) - 1023; - - if ( e >= 0 && e < 31 ) { - long f = bits & 0xFFFFFFFFFFFFFL; - int shift = 52 - e; - long intPrecMask = ( 1L << shift ) - 1; - if ( ( f & intPrecMask ) == 0 ) { - int intValue = (int)( f >> shift ) | ( 1 << e ); - return LuaInteger.valueOf( ( ( bits >> 63 ) != 0 ) ? -intValue : intValue ); - } - } - - return LuaValue.valueOf( Double.longBitsToDouble(bits) ); - } - - /** - * Load a number from a binary chunk - * @return the {@link LuaValue} loaded - * @throws IOException if an i/o exception occurs - */ - LuaValue loadNumber() throws IOException { - if ( luacNumberFormat == NUMBER_FORMAT_INTS_ONLY ) { - return LuaInteger.valueOf( loadInt() ); - } else { - return longBitsToLuaNumber( loadInt64() ); - } - } - - /** - * Load a list of constants from a binary chunk - * @param f the function prototype - * @throws IOException if an i/o exception occurs - */ - void loadConstants(Prototype f) throws IOException { - int n = loadInt(); - LuaValue[] values = n>0? new LuaValue[n]: NOVALUES; - for ( int i=0; i0? new Prototype[n]: NOPROTOS; - for ( int i=0; i0? new LocVars[n]: NOLOCVARS; - for ( int i=0; i0? new LuaString[n]: NOSTRVALUES; - for ( int i=0; i - * This is a direct translation of C lua distribution header file constants - * for bytecode creation and processing. - */ -public class Lua { - /** version is supplied by ant build task */ - public static final String _VERSION = "Luaj 0.0"; - - /** use return values from previous op */ - public static final int LUA_MULTRET = -1; - - /** masks for new-style vararg */ - public static final int VARARG_HASARG = 1; - public static final int VARARG_ISVARARG = 2; - public static final int VARARG_NEEDSARG = 4; - - // from lopcodes.h - - /*=========================================================================== - We assume that instructions are unsigned numbers. - All instructions have an opcode in the first 6 bits. - Instructions can have the following fields: - `A' : 8 bits - `B' : 9 bits - `C' : 9 bits - `Bx' : 18 bits (`B' and `C' together) - `sBx' : signed Bx - - A signed argument is represented in excess K; that is, the number - value is the unsigned value minus K. K is exactly the maximum value - for that argument (so that -max is represented by 0, and +max is - represented by 2*max), which is half the maximum for the corresponding - unsigned argument. - ===========================================================================*/ - - - /* basic instruction format */ - public static final int iABC = 0; - public static final int iABx = 1; - public static final int iAsBx = 2; - - - /* - ** size and position of opcode arguments. - */ - public static final int SIZE_C = 9; - public static final int SIZE_B = 9; - public static final int SIZE_Bx = (SIZE_C + SIZE_B); - public static final int SIZE_A = 8; - - public static final int SIZE_OP = 6; - - public static final int POS_OP = 0; - public static final int POS_A = (POS_OP + SIZE_OP); - public static final int POS_C = (POS_A + SIZE_A); - public static final int POS_B = (POS_C + SIZE_C); - public static final int POS_Bx = POS_C; - - - public static final int MAX_OP = ((1<>1); /* `sBx' is signed */ - - public static final int MASK_OP = ((1<> POS_OP) & MAX_OP; - } - - public static int GETARG_A(int i) { - return (i >> POS_A) & MAXARG_A; - } - - public static int GETARG_B(int i) { - return (i >> POS_B) & MAXARG_B; - } - - public static int GETARG_C(int i) { - return (i >> POS_C) & MAXARG_C; - } - - public static int GETARG_Bx(int i) { - return (i >> POS_Bx) & MAXARG_Bx; - } - - public static int GETARG_sBx(int i) { - return ((i >> POS_Bx) & MAXARG_Bx) - MAXARG_sBx; - } - - - /* - ** Macros to operate RK indices - */ - - /** this bit 1 means constant (0 means register) */ - public static final int BITRK = (1 << (SIZE_B - 1)); - - /** test whether value is a constant */ - public static boolean ISK(int x) { - return 0 != ((x) & BITRK); - } - - /** gets the index of the constant */ - public static int INDEXK(int r) { - return ((int)(r) & ~BITRK); - } - - public static final int MAXINDEXRK = (BITRK - 1); - - /** code a constant index as a RK value */ - public static int RKASK(int x) { - return ((x) | BITRK); - } - - - /** - ** invalid register that fits in 8 bits - */ - public static final int NO_REG = MAXARG_A; - - - /* - ** R(x) - register - ** Kst(x) - constant (in constant table) - ** RK(x) == if ISK(x) then Kst(INDEXK(x)) else R(x) - */ - - - /* - ** grep "ORDER OP" if you change these enums - */ - - /*---------------------------------------------------------------------- - name args description - ------------------------------------------------------------------------*/ - public static final int OP_MOVE = 0;/* A B R(A) := R(B) */ - public static final int OP_LOADK = 1;/* A Bx R(A) := Kst(Bx) */ - public static final int OP_LOADBOOL = 2;/* A B C R(A) := (Bool)B; if (C) pc++ */ - public static final int OP_LOADNIL = 3; /* A B R(A) := ... := R(B) := nil */ - public static final int OP_GETUPVAL = 4; /* A B R(A) := UpValue[B] */ - - public static final int OP_GETGLOBAL = 5; /* A Bx R(A) := Gbl[Kst(Bx)] */ - public static final int OP_GETTABLE = 6; /* A B C R(A) := R(B)[RK(C)] */ - - public static final int OP_SETGLOBAL = 7; /* A Bx Gbl[Kst(Bx)] := R(A) */ - public static final int OP_SETUPVAL = 8; /* A B UpValue[B] := R(A) */ - public static final int OP_SETTABLE = 9; /* A B C R(A)[RK(B)] := RK(C) */ - - public static final int OP_NEWTABLE = 10; /* A B C R(A) := {} (size = B,C) */ - - public static final int OP_SELF = 11; /* A B C R(A+1) := R(B); R(A) := R(B)[RK(C)] */ - - public static final int OP_ADD = 12; /* A B C R(A) := RK(B) + RK(C) */ - public static final int OP_SUB = 13; /* A B C R(A) := RK(B) - RK(C) */ - public static final int OP_MUL = 14; /* A B C R(A) := RK(B) * RK(C) */ - public static final int OP_DIV = 15; /* A B C R(A) := RK(B) / RK(C) */ - public static final int OP_MOD = 16; /* A B C R(A) := RK(B) % RK(C) */ - public static final int OP_POW = 17; /* A B C R(A) := RK(B) ^ RK(C) */ - public static final int OP_UNM = 18; /* A B R(A) := -R(B) */ - public static final int OP_NOT = 19; /* A B R(A) := not R(B) */ - public static final int OP_LEN = 20; /* A B R(A) := length of R(B) */ - - public static final int OP_CONCAT = 21; /* A B C R(A) := R(B).. ... ..R(C) */ - - public static final int OP_JMP = 22; /* sBx pc+=sBx */ - - public static final int OP_EQ = 23; /* A B C if ((RK(B) == RK(C)) ~= A) then pc++ */ - public static final int OP_LT = 24; /* A B C if ((RK(B) < RK(C)) ~= A) then pc++ */ - public static final int OP_LE = 25; /* A B C if ((RK(B) <= RK(C)) ~= A) then pc++ */ - - public static final int OP_TEST = 26; /* A C if not (R(A) <=> C) then pc++ */ - public static final int OP_TESTSET = 27; /* A B C if (R(B) <=> C) then R(A) := R(B) else pc++ */ - - public static final int OP_CALL = 28; /* A B C R(A), ... ,R(A+C-2) := R(A)(R(A+1), ... ,R(A+B-1)) */ - public static final int OP_TAILCALL = 29; /* A B C return R(A)(R(A+1), ... ,R(A+B-1)) */ - public static final int OP_RETURN = 30; /* A B return R(A), ... ,R(A+B-2) (see note) */ - - public static final int OP_FORLOOP = 31; /* A sBx R(A)+=R(A+2); - if R(A) =) R(A)*/ - public static final int OP_CLOSURE = 36; /* A Bx R(A) := closure(KPROTO[Bx], R(A), ... ,R(A+n)) */ - public static final int OP_VARARG = 37; /* A B R(A), R(A+1), ..., R(A+B-1) = vararg */ - - public static final int NUM_OPCODES = OP_VARARG + 1; - - /* pseudo-opcodes used in parsing only. */ - public static final int OP_GT = 63; // > - public static final int OP_GE = 62; // >= - public static final int OP_NEQ = 61; // ~= - public static final int OP_AND = 60; // and - public static final int OP_OR = 59; // or - - /*=========================================================================== - Notes: - (*) In OP_CALL, if (B == 0) then B = top. C is the number of returns - 1, - and can be 0: OP_CALL then sets `top' to last_result+1, so - next open instruction (OP_CALL, OP_RETURN, OP_SETLIST) may use `top'. - - (*) In OP_VARARG, if (B == 0) then use actual number of varargs and - set top (like in OP_CALL with C == 0). - - (*) In OP_RETURN, if (B == 0) then return up to `top' - - (*) In OP_SETLIST, if (B == 0) then B = `top'; - if (C == 0) then next `instruction' is real C - - (*) For comparisons, A specifies what condition the test should accept - (true or false). - - (*) All `skips' (pc++) assume that next instruction is a jump - ===========================================================================*/ - - - /* - ** masks for instruction properties. The format is: - ** bits 0-1: op mode - ** bits 2-3: C arg mode - ** bits 4-5: B arg mode - ** bit 6: instruction set register A - ** bit 7: operator is a test - */ - - public static final int OpArgN = 0; /* argument is not used */ - public static final int OpArgU = 1; /* argument is used */ - public static final int OpArgR = 2; /* argument is a register or a jump offset */ - public static final int OpArgK = 3; /* argument is a constant or register/constant */ - - public static final int[] luaP_opmodes = { - /* T A B C mode opcode */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iABC), /* OP_MOVE */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgN<<2) | (iABx), /* OP_LOADK */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgU<<2) | (iABC), /* OP_LOADBOOL */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iABC), /* OP_LOADNIL */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgN<<2) | (iABC), /* OP_GETUPVAL */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgN<<2) | (iABx), /* OP_GETGLOBAL */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgK<<2) | (iABC), /* OP_GETTABLE */ - (0<<7) | (0<<6) | (OpArgK<<4) | (OpArgN<<2) | (iABx), /* OP_SETGLOBAL */ - (0<<7) | (0<<6) | (OpArgU<<4) | (OpArgN<<2) | (iABC), /* OP_SETUPVAL */ - (0<<7) | (0<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_SETTABLE */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgU<<2) | (iABC), /* OP_NEWTABLE */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgK<<2) | (iABC), /* OP_SELF */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_ADD */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_SUB */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_MUL */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_DIV */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_MOD */ - (0<<7) | (1<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_POW */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iABC), /* OP_UNM */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iABC), /* OP_NOT */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iABC), /* OP_LEN */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgR<<2) | (iABC), /* OP_CONCAT */ - (0<<7) | (0<<6) | (OpArgR<<4) | (OpArgN<<2) | (iAsBx), /* OP_JMP */ - (1<<7) | (0<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_EQ */ - (1<<7) | (0<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_LT */ - (1<<7) | (0<<6) | (OpArgK<<4) | (OpArgK<<2) | (iABC), /* OP_LE */ - (1<<7) | (1<<6) | (OpArgR<<4) | (OpArgU<<2) | (iABC), /* OP_TEST */ - (1<<7) | (1<<6) | (OpArgR<<4) | (OpArgU<<2) | (iABC), /* OP_TESTSET */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgU<<2) | (iABC), /* OP_CALL */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgU<<2) | (iABC), /* OP_TAILCALL */ - (0<<7) | (0<<6) | (OpArgU<<4) | (OpArgN<<2) | (iABC), /* OP_RETURN */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iAsBx), /* OP_FORLOOP */ - (0<<7) | (1<<6) | (OpArgR<<4) | (OpArgN<<2) | (iAsBx), /* OP_FORPREP */ - (1<<7) | (0<<6) | (OpArgN<<4) | (OpArgU<<2) | (iABC), /* OP_TFORLOOP */ - (0<<7) | (0<<6) | (OpArgU<<4) | (OpArgU<<2) | (iABC), /* OP_SETLIST */ - (0<<7) | (0<<6) | (OpArgN<<4) | (OpArgN<<2) | (iABC), /* OP_CLOSE */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgN<<2) | (iABx), /* OP_CLOSURE */ - (0<<7) | (1<<6) | (OpArgU<<4) | (OpArgN<<2) | (iABC), /* OP_VARARG */ - }; - - public static int getOpMode(int m) { - return luaP_opmodes[m] & 3; - } - public static int getBMode(int m) { - return (luaP_opmodes[m] >> 4) & 3; - } - public static int getCMode(int m) { - return (luaP_opmodes[m] >> 2) & 3; - } - public static boolean testAMode(int m) { - return 0 != (luaP_opmodes[m] & (1 << 6)); - } - public static boolean testTMode(int m) { - return 0 != (luaP_opmodes[m] & (1 << 7)); - } - - /* number of list items to accumulate before a SETLIST instruction */ - public static final int LFIELDS_PER_FLUSH = 50; - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaBoolean.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaBoolean.java deleted file mode 100644 index 419217415..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaBoolean.java +++ /dev/null @@ -1,103 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - -/** - * Extension of {@link LuaValue} which can hold a Java boolean as its value. - *

- * These instance are not instantiated directly by clients. - * Instead, there are exactly twon instances of this class, - * {@link LuaValue#TRUE} and {@link LuaValue#FALSE} - * representing the lua values {@code true} and {@link false}. - * The function {@link LuaValue#valueOf(boolean)} will always - * return one of these two values. - *

- * Any {@link LuaValue} can be converted to its equivalent - * boolean representation using {@link LuaValue#toboolean()} - *

- * @see LuaValue - * @see LuaValue#valueOf(boolean) - * @see LuaValue#TRUE - * @see LuaValue#FALSE - */ -public final class LuaBoolean extends LuaValue { - - /** The singleton instance representing lua {@code true} */ - static final LuaBoolean _TRUE = new LuaBoolean(true); - - /** The singleton instance representing lua {@code false} */ - static final LuaBoolean _FALSE = new LuaBoolean(false); - - /** Shared static metatable for boolean values represented in lua. */ - public static LuaValue s_metatable; - - /** The value of the boolean */ - public final boolean v; - - LuaBoolean(boolean b) { - this.v = b; - } - - public int type() { - return LuaValue.TBOOLEAN; - } - - public String typename() { - return "boolean"; - } - - public boolean isboolean() { - return true; - } - - public LuaValue not() { - return v ? FALSE : LuaValue.TRUE; - } - - /** - * Return the boolean value for this boolean - * @return value as a Java boolean - */ - public boolean booleanValue() { - return v; - } - - public boolean toboolean() { - return v; - } - - public String tojstring() { - return v ? "true" : "false"; - } - - public boolean optboolean(boolean defval) { - return this.v; - } - - public boolean checkboolean() { - return v; - } - - public LuaValue getmetatable() { - return s_metatable; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaClosure.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaClosure.java deleted file mode 100644 index 8deb56b47..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaClosure.java +++ /dev/null @@ -1,521 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -import java.io.ByteArrayInputStream; -import java.io.InputStream; - -import org.luaj.vm2.LoadState.LuaCompiler; -import org.luaj.vm2.compiler.LuaC; -import org.luaj.vm2.lib.DebugLib; - -/** - * Extension of {@link LuaFunction} which executes lua bytecode. - *

- * A {@link LuaClosure} is a combination of a {@link Prototype} - * and a {@link LuaValue} to use as an environment for execution. - *

- * There are three main ways {@link LuaClosure} instances are created: - *

- *

- * To construct it directly, the {@link Prototype} is typically created via a compiler such as {@link LuaC}: - *

 {@code
- * InputStream is = new ByteArrayInputStream("print('hello,world').getBytes());
- * Prototype p = LuaC.instance.compile(is, "script");
- * LuaValue _G = JsePlatform.standardGlobals()
- * LuaClosure f = new LuaClosure(p, _G);
- * }
- *

- * To construct it indirectly, the {@link LuaC} compiler may be used, - * which implements the {@link LuaCompiler} interface: - *

 {@code
- * LuaFunction f = LuaC.instance.load(is, "script", _G);
- * }
- *

- * Typically, a closure that has just been loaded needs to be initialized by executing it, - * and its return value can be saved if needed: - *

 {@code
- * LuaValue r = f.call();
- * _G.set( "mypkg", r ) 
- * }
- *

- * In the preceding, the loaded value is typed as {@link LuaFunction} - * to allow for the possibility of other compilers such as {@link LuaJC} - * producing {@link LuaFunction} directly without - * creating a {@link Prototype} or {@link LuaClosure}. - *

- * Since a {@link LuaClosure} is a {@link LuaFunction} which is a {@link LuaValue}, - * all the value operations can be used directly such as: - *

- * @see LuaValue - * @see LuaFunction - * @see LuaValue#isclosure() - * @see LuaValue#checkclosure() - * @see LuaValue#optclosure(LuaClosure) - * @see LoadState - * @see LoadState#compiler - */ -public class LuaClosure extends LuaFunction { - private static final UpValue[] NOUPVALUES = new UpValue[0]; - - public final Prototype p; - public final UpValue[] upValues; - - LuaClosure() { - p = null; - upValues = null; - } - /** Supply the initial environment */ - public LuaClosure(Prototype p, LuaValue env) { - super( env ); - this.p = p; - this.upValues = p.nups>0? new UpValue[p.nups]: NOUPVALUES; - } - - protected LuaClosure(int nupvalues, LuaValue env) { - super( env ); - this.p = null; - this.upValues = nupvalues>0? new UpValue[nupvalues]: NOUPVALUES; - } - - public boolean isclosure() { - return true; - } - - public LuaClosure optclosure(LuaClosure defval) { - return this; - } - - public LuaClosure checkclosure() { - return this; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public final LuaValue call() { - LuaValue[] stack = new LuaValue[p.maxstacksize]; - System.arraycopy(NILS, 0, stack, 0, p.maxstacksize); - return execute(stack,NONE).arg1(); - } - - public final LuaValue call(LuaValue arg) { - LuaValue[] stack = new LuaValue[p.maxstacksize]; - System.arraycopy(NILS, 0, stack, 0, p.maxstacksize); - switch ( p.numparams ) { - default: stack[0]=arg; return execute(stack,NONE).arg1(); - case 0: return execute(stack,arg).arg1(); - } - } - - public final LuaValue call(LuaValue arg1, LuaValue arg2) { - LuaValue[] stack = new LuaValue[p.maxstacksize]; - System.arraycopy(NILS, 0, stack, 0, p.maxstacksize); - switch ( p.numparams ) { - default: stack[0]=arg1; stack[1]=arg2; return execute(stack,NONE).arg1(); - case 1: stack[0]=arg1; return execute(stack,arg2).arg1(); - case 0: return execute(stack,p.is_vararg!=0? varargsOf(arg1,arg2): NONE).arg1(); - } - } - - public final LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - LuaValue[] stack = new LuaValue[p.maxstacksize]; - System.arraycopy(NILS, 0, stack, 0, p.maxstacksize); - switch ( p.numparams ) { - default: stack[0]=arg1; stack[1]=arg2; stack[2]=arg3; return execute(stack,NONE).arg1(); - case 2: stack[0]=arg1; stack[1]=arg2; return execute(stack,arg3).arg1(); - case 1: stack[0]=arg1; return execute(stack,p.is_vararg!=0? varargsOf(arg2,arg3): NONE).arg1(); - case 0: return execute(stack,p.is_vararg!=0? varargsOf(arg1,arg2,arg3): NONE).arg1(); - } - } - - public final Varargs invoke(Varargs varargs) { - return onInvoke( varargs ).eval(); - } - - public Varargs onInvoke(Varargs varargs) { - LuaValue[] stack = new LuaValue[p.maxstacksize]; - System.arraycopy(NILS, 0, stack, 0, p.maxstacksize); - for ( int i=0; i0? new UpValue[stack.length]: null; - - // create varargs "arg" table - if ( p.is_vararg >= Lua.VARARG_NEEDSARG ) - stack[p.numparams] = new LuaTable(varargs); - - // debug wants args to this function - if (DebugLib.DEBUG_ENABLED) - DebugLib.debugSetupCall(varargs, stack); - - // process instructions - LuaThread.CallStack cs = LuaThread.onCall( this ); - try { - while ( true ) { - if (DebugLib.DEBUG_ENABLED) - DebugLib.debugBytecode(pc, v, top); - - // pull out instruction - i = code[pc++]; - a = ((i>>6) & 0xff); - - // process the op code - switch ( i & 0x3f ) { - - case Lua.OP_MOVE:/* A B R(A):= R(B) */ - stack[a] = stack[i>>>23]; - continue; - - case Lua.OP_LOADK:/* A Bx R(A):= Kst(Bx) */ - stack[a] = k[i>>>14]; - continue; - - case Lua.OP_LOADBOOL:/* A B C R(A):= (Bool)B: if (C) pc++ */ - stack[a] = (i>>>23!=0)? LuaValue.TRUE: LuaValue.FALSE; - if ((i&(0x1ff<<14)) != 0) - pc++; /* skip next instruction (if C) */ - continue; - - case Lua.OP_LOADNIL: /* A B R(A):= ...:= R(B):= nil */ - for ( b=i>>>23; a<=b; ) - stack[a++] = LuaValue.NIL; - continue; - - case Lua.OP_GETUPVAL: /* A B R(A):= UpValue[B] */ - stack[a] = upValues[i>>>23].getValue(); - continue; - - case Lua.OP_GETGLOBAL: /* A Bx R(A):= Gbl[Kst(Bx)] */ - stack[a] = env.get(k[i>>>14]); - continue; - - case Lua.OP_GETTABLE: /* A B C R(A):= R(B)[RK(C)] */ - stack[a] = stack[i>>>23].get((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_SETGLOBAL: /* A Bx Gbl[Kst(Bx)]:= R(A) */ - env.set(k[i>>>14], stack[a]); - continue; - - case Lua.OP_SETUPVAL: /* A B UpValue[B]:= R(A) */ - upValues[i>>>23].setValue(stack[a]); - continue; - - case Lua.OP_SETTABLE: /* A B C R(A)[RK(B)]:= RK(C) */ - stack[a].set(((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]), (c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_NEWTABLE: /* A B C R(A):= {} (size = B,C) */ - stack[a] = new LuaTable(i>>>23,(i>>14)&0x1ff); - continue; - - case Lua.OP_SELF: /* A B C R(A+1):= R(B): R(A):= R(B)[RK(C)] */ - stack[a+1] = (o = stack[i>>>23]); - stack[a] = o.get((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_ADD: /* A B C R(A):= RK(B) + RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).add((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_SUB: /* A B C R(A):= RK(B) - RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).sub((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_MUL: /* A B C R(A):= RK(B) * RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).mul((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_DIV: /* A B C R(A):= RK(B) / RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).div((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_MOD: /* A B C R(A):= RK(B) % RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).mod((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_POW: /* A B C R(A):= RK(B) ^ RK(C) */ - stack[a] = ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).pow((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]); - continue; - - case Lua.OP_UNM: /* A B R(A):= -R(B) */ - stack[a] = stack[i>>>23].neg(); - continue; - - case Lua.OP_NOT: /* A B R(A):= not R(B) */ - stack[a] = stack[i>>>23].not(); - continue; - - case Lua.OP_LEN: /* A B R(A):= length of R(B) */ - stack[a] = stack[i>>>23].len(); - continue; - - case Lua.OP_CONCAT: /* A B C R(A):= R(B).. ... ..R(C) */ - b = i>>>23; - c = (i>>14)&0x1ff; - { - if ( c > b+1 ) { - Buffer sb = stack[c].buffer(); - while ( --c>=b ) - sb = stack[c].concat(sb); - stack[a] = sb.value(); - } else { - stack[a] = stack[c-1].concat(stack[c]); - } - } - continue; - - case Lua.OP_JMP: /* sBx pc+=sBx */ - pc += (i>>>14)-0x1ffff; - continue; - - case Lua.OP_EQ: /* A B C if ((RK(B) == RK(C)) ~= A) then pc++ */ - if ( ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).eq_b((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]) != (a!=0) ) - ++pc; - continue; - - case Lua.OP_LT: /* A B C if ((RK(B) < RK(C)) ~= A) then pc++ */ - if ( ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).lt_b((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]) != (a!=0) ) - ++pc; - continue; - - case Lua.OP_LE: /* A B C if ((RK(B) <= RK(C)) ~= A) then pc++ */ - if ( ((b=i>>>23)>0xff? k[b&0x0ff]: stack[b]).lteq_b((c=(i>>14)&0x1ff)>0xff? k[c&0x0ff]: stack[c]) != (a!=0) ) - ++pc; - continue; - - case Lua.OP_TEST: /* A C if not (R(A) <=> C) then pc++ */ - if ( stack[a].toboolean() != ((i&(0x1ff<<14))!=0) ) - ++pc; - continue; - - case Lua.OP_TESTSET: /* A B C if (R(B) <=> C) then R(A):= R(B) else pc++ */ - /* note: doc appears to be reversed */ - if ( (o=stack[i>>>23]).toboolean() != ((i&(0x1ff<<14))!=0) ) - ++pc; - else - stack[a] = o; // TODO: should be sBx? - continue; - - case Lua.OP_CALL: /* A B C R(A), ... ,R(A+C-2):= R(A)(R(A+1), ... ,R(A+B-1)) */ - switch ( i & (Lua.MASK_B | Lua.MASK_C) ) { - case (1<>>23; - c = (i>>14)&0x1ff; - v = b>0? - varargsOf(stack,a+1,b-1): // exact arg count - varargsOf(stack, a+1, top-v.narg()-(a+1), v); // from prev top - v = stack[a].invoke(v); - if ( c > 0 ) { - while ( --c > 0 ) - stack[a+c-1] = v.arg(c); - v = NONE; // TODO: necessary? - } else { - top = a + v.narg(); - } - continue; - } - - case Lua.OP_TAILCALL: /* A B C return R(A)(R(A+1), ... ,R(A+B-1)) */ - switch ( i & Lua.MASK_B ) { - case (1<>>23; - v = b>0? - varargsOf(stack,a+1,b-1): // exact arg count - varargsOf(stack, a+1, top-v.narg()-(a+1), v); // from prev top - return new TailcallVarargs( stack[a], v ); - } - - case Lua.OP_RETURN: /* A B return R(A), ... ,R(A+B-2) (see note) */ - b = i>>>23; - switch ( b ) { - case 0: return varargsOf(stack, a, top-v.narg()-a, v); - case 1: return NONE; - case 2: return stack[a]; - default: - return varargsOf(stack, a, b-1); - } - - case Lua.OP_FORLOOP: /* A sBx R(A)+=R(A+2): if R(A) >>14)-0x1ffff; - } - } - continue; - - case Lua.OP_FORPREP: /* A sBx R(A)-=R(A+2): pc+=sBx */ - { - LuaValue init = stack[a].checknumber("'for' initial value must be a number"); - LuaValue limit = stack[a + 1].checknumber("'for' limit must be a number"); - LuaValue step = stack[a + 2].checknumber("'for' step must be a number"); - stack[a] = init.sub(step); - stack[a + 1] = limit; - stack[a + 2] = step; - pc += (i>>>14)-0x1ffff; - } - continue; - - case Lua.OP_TFORLOOP: /* - * A C R(A+3), ... ,R(A+2+C):= R(A)(R(A+1), - * R(A+2)): if R(A+3) ~= nil then R(A+2)=R(A+3) - * else pc++ - */ - // TODO: stack call on for loop body, such as: stack[a].call(ci); - v = stack[a].invoke(varargsOf(stack[a+1],stack[a+2])); - if ( (o=v.arg1()).isnil() ) - ++pc; - else { - stack[a+2] = stack[a+3] = o; - for ( c=(i>>14)&0x1ff; c>1; --c ) - stack[a+2+c] = v.arg(c); - v = NONE; // todo: necessary? - } - continue; - - case Lua.OP_SETLIST: /* A B C R(A)[(C-1)*FPF+i]:= R(A+i), 1 <= i <= B */ - { - if ( (c=(i>>14)&0x1ff) == 0 ) - c = code[pc++]; - int offset = (c-1) * Lua.LFIELDS_PER_FLUSH; - o = stack[a]; - if ( (b=i>>>23) == 0 ) { - b = top - a - 1; - int m = b - v.narg(); - int j=1; - for ( ;j<=m; j++ ) - o.set(offset+j, stack[a + j]); - for ( ;j<=b; j++ ) - o.set(offset+j, v.arg(j-m)); - } else { - o.presize( offset + b ); - for (int j=1; j<=b; j++) - o.set(offset+j, stack[a + j]); - } - } - continue; - - case Lua.OP_CLOSE: /* A close all variables in the stack up to (>=) R(A)*/ - for ( b=openups.length; --b>=a; ) - if ( openups[b]!=null ) { - openups[b].close(); - openups[b] = null; - } - continue; - - case Lua.OP_CLOSURE: /* A Bx R(A):= closure(KPROTO[Bx], R(A), ... ,R(A+n)) */ - { - Prototype newp = p.p[i>>>14]; - LuaClosure newcl = new LuaClosure(newp, env); - for ( int j=0, nup=newp.nups; j>>23; - newcl.upValues[j] = (i&4) != 0? - upValues[b]: - openups[b]!=null? openups[b]: (openups[b]=new UpValue(stack,b)); - } - stack[a] = newcl; - } - continue; - - case Lua.OP_VARARG: /* A B R(A), R(A+1), ..., R(A+B-1) = vararg */ - b = i>>>23; - if ( b == 0 ) { - top = a + (b = varargs.narg()); - v = varargs; - } else { - for ( int j=1; j=0; ) - if ( openups[u] != null ) - openups[u].close(); - } - } - - protected LuaValue getUpvalue(int i) { - return upValues[i].getValue(); - } - - protected void setUpvalue(int i, LuaValue v) { - upValues[i].setValue(v); - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaDouble.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaDouble.java deleted file mode 100644 index 85b151ce8..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaDouble.java +++ /dev/null @@ -1,288 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -import org.luaj.vm2.lib.MathLib; - -/** - * Extension of {@link LuaNumber} which can hold a Java double as its value. - *

- * These instance are not instantiated directly by clients, but indirectly - * via the static functions {@link LuaValue#valueOf(int)} or {@link LuaValue#valueOf(double)} - * functions. This ensures that values which can be represented as int - * are wrapped in {@link LuaInteger} instead of {@link LuaDouble}. - *

- * Almost all API's implemented in LuaDouble are defined and documented in {@link LuaValue}. - *

- * However the constants {@link #NAN}, {@link #POSINF}, {@link #NEGINF}, - * {@link #JSTR_NAN}, {@link #JSTR_POSINF}, and {@link #JSTR_NEGINF} may be useful - * when dealing with Nan or Infinite values. - *

- * LuaDouble also defines functions for handling the unique math rules of lua devision and modulo in - *

    - *
  • {@link #ddiv(double, double)}
  • - *
  • {@link #ddiv_d(double, double)}
  • - *
  • {@link #dmod(double, double)}
  • - *
  • {@link #dmod_d(double, double)}
  • - *
- *

- * @see LuaValue - * @see LuaNumber - * @see LuaInteger - * @see LuaValue#valueOf(int) - * @see LuaValue#valueOf(double) - */ -public class LuaDouble extends LuaNumber { - - /** Constant LuaDouble representing NaN (not a number) */ - public static final LuaDouble NAN = new LuaDouble( Double.NaN ); - - /** Constant LuaDouble representing positive infinity */ - public static final LuaDouble POSINF = new LuaDouble( Double.POSITIVE_INFINITY ); - - /** Constant LuaDouble representing negative infinity */ - public static final LuaDouble NEGINF = new LuaDouble( Double.NEGATIVE_INFINITY ); - - /** Constant String representation for NaN (not a number), "nan" */ - public static final String JSTR_NAN = "nan"; - - /** Constant String representation for positive infinity, "inf" */ - public static final String JSTR_POSINF = "inf"; - - /** Constant String representation for negative infinity, "-inf" */ - public static final String JSTR_NEGINF = "-inf"; - - /** The value being held by this instance. */ - final double v; - - public static LuaNumber valueOf(double d) { - int id = (int) d; - return d==id? (LuaNumber) LuaInteger.valueOf(id): (LuaNumber) new LuaDouble(d); - } - - /** Don't allow ints to be boxed by DoubleValues */ - private LuaDouble(double d) { - this.v = d; - } - - public int hashCode() { - long l = Double.doubleToLongBits(v); - return ((int)(l>>32)) | (int) l; - } - - public boolean islong() { - return v == (long) v; - } - - public byte tobyte() { return (byte) (long) v; } - public char tochar() { return (char) (long) v; } - public double todouble() { return v; } - public float tofloat() { return (float) v; } - public int toint() { return (int) (long) v; } - public long tolong() { return (long) v; } - public short toshort() { return (short) (long) v; } - - public double optdouble(double defval) { return v; } - public int optint(int defval) { return (int) (long) v; } - public LuaInteger optinteger(LuaInteger defval) { return LuaInteger.valueOf((int) (long)v); } - public long optlong(long defval) { return (long) v; } - - public LuaInteger checkinteger() { return LuaInteger.valueOf( (int) (long) v ); } - - // unary operators - public LuaValue neg() { return valueOf(-v); } - - // object equality, used for key comparison - public boolean equals(Object o) { return o instanceof LuaDouble? ((LuaDouble)o).v == v: false; } - - // equality w/ metatable processing - public LuaValue eq( LuaValue val ) { return val.raweq(v)? TRUE: FALSE; } - public boolean eq_b( LuaValue val ) { return val.raweq(v); } - - // equality w/o metatable processing - public boolean raweq( LuaValue val ) { return val.raweq(v); } - public boolean raweq( double val ) { return v == val; } - public boolean raweq( int val ) { return v == val; } - - // basic binary arithmetic - public LuaValue add( LuaValue rhs ) { return rhs.add(v); } - public LuaValue add( double lhs ) { return LuaDouble.valueOf(lhs + v); } - public LuaValue sub( LuaValue rhs ) { return rhs.subFrom(v); } - public LuaValue sub( double rhs ) { return LuaDouble.valueOf(v - rhs); } - public LuaValue sub( int rhs ) { return LuaDouble.valueOf(v - rhs); } - public LuaValue subFrom( double lhs ) { return LuaDouble.valueOf(lhs - v); } - public LuaValue mul( LuaValue rhs ) { return rhs.mul(v); } - public LuaValue mul( double lhs ) { return LuaDouble.valueOf(lhs * v); } - public LuaValue mul( int lhs ) { return LuaDouble.valueOf(lhs * v); } - public LuaValue pow( LuaValue rhs ) { return rhs.powWith(v); } - public LuaValue pow( double rhs ) { return MathLib.dpow(v,rhs); } - public LuaValue pow( int rhs ) { return MathLib.dpow(v,rhs); } - public LuaValue powWith( double lhs ) { return MathLib.dpow(lhs,v); } - public LuaValue powWith( int lhs ) { return MathLib.dpow(lhs,v); } - public LuaValue div( LuaValue rhs ) { return rhs.divInto(v); } - public LuaValue div( double rhs ) { return LuaDouble.ddiv(v,rhs); } - public LuaValue div( int rhs ) { return LuaDouble.ddiv(v,rhs); } - public LuaValue divInto( double lhs ) { return LuaDouble.ddiv(lhs,v); } - public LuaValue mod( LuaValue rhs ) { return rhs.modFrom(v); } - public LuaValue mod( double rhs ) { return LuaDouble.dmod(v,rhs); } - public LuaValue mod( int rhs ) { return LuaDouble.dmod(v,rhs); } - public LuaValue modFrom( double lhs ) { return LuaDouble.dmod(lhs,v); } - - - /** Divide two double numbers according to lua math, and return a {@link LuaValue} result. - * @param lhs Left-hand-side of the division. - * @param rhs Right-hand-side of the division. - * @return {@link LuaValue} for the result of the division, - * taking into account positive and negiative infinity, and Nan - * @see #ddiv_d(double, double) - */ - public static LuaValue ddiv(double lhs, double rhs) { - return rhs!=0? valueOf( lhs / rhs ): lhs>0? POSINF: lhs==0? NAN: NEGINF; - } - - /** Divide two double numbers according to lua math, and return a double result. - * @param lhs Left-hand-side of the division. - * @param rhs Right-hand-side of the division. - * @return Value of the division, taking into account positive and negative infinity, and Nan - * @see #ddiv(double, double) - */ - public static double ddiv_d(double lhs, double rhs) { - return rhs!=0? lhs / rhs: lhs>0? Double.POSITIVE_INFINITY: lhs==0? Double.NaN: Double.NEGATIVE_INFINITY; - } - - /** Take modulo double numbers according to lua math, and return a {@link LuaValue} result. - * @param lhs Left-hand-side of the modulo. - * @param rhs Right-hand-side of the modulo. - * @return {@link LuaValue} for the result of the modulo, - * using lua's rules for modulo - * @see #dmod_d(double, double) - */ - public static LuaValue dmod(double lhs, double rhs) { - return rhs!=0? valueOf( lhs-rhs*Math.floor(lhs/rhs) ): NAN; - } - - /** Take modulo for double numbers according to lua math, and return a double result. - * @param lhs Left-hand-side of the modulo. - * @param rhs Right-hand-side of the modulo. - * @return double value for the result of the modulo, - * using lua's rules for modulo - * @see #dmod(double, double) - */ - public static double dmod_d(double lhs, double rhs) { - return rhs!=0? lhs-rhs*Math.floor(lhs/rhs): Double.NaN; - } - - // relational operators - public LuaValue lt( LuaValue rhs ) { return rhs.gt_b(v)? LuaValue.TRUE: FALSE; } - public LuaValue lt( double rhs ) { return v < rhs? TRUE: FALSE; } - public LuaValue lt( int rhs ) { return v < rhs? TRUE: FALSE; } - public boolean lt_b( LuaValue rhs ) { return rhs.gt_b(v); } - public boolean lt_b( int rhs ) { return v < rhs; } - public boolean lt_b( double rhs ) { return v < rhs; } - public LuaValue lteq( LuaValue rhs ) { return rhs.gteq_b(v)? LuaValue.TRUE: FALSE; } - public LuaValue lteq( double rhs ) { return v <= rhs? TRUE: FALSE; } - public LuaValue lteq( int rhs ) { return v <= rhs? TRUE: FALSE; } - public boolean lteq_b( LuaValue rhs ) { return rhs.gteq_b(v); } - public boolean lteq_b( int rhs ) { return v <= rhs; } - public boolean lteq_b( double rhs ) { return v <= rhs; } - public LuaValue gt( LuaValue rhs ) { return rhs.lt_b(v)? LuaValue.TRUE: FALSE; } - public LuaValue gt( double rhs ) { return v > rhs? TRUE: FALSE; } - public LuaValue gt( int rhs ) { return v > rhs? TRUE: FALSE; } - public boolean gt_b( LuaValue rhs ) { return rhs.lt_b(v); } - public boolean gt_b( int rhs ) { return v > rhs; } - public boolean gt_b( double rhs ) { return v > rhs; } - public LuaValue gteq( LuaValue rhs ) { return rhs.lteq_b(v)? LuaValue.TRUE: FALSE; } - public LuaValue gteq( double rhs ) { return v >= rhs? TRUE: FALSE; } - public LuaValue gteq( int rhs ) { return v >= rhs? TRUE: FALSE; } - public boolean gteq_b( LuaValue rhs ) { return rhs.lteq_b(v); } - public boolean gteq_b( int rhs ) { return v >= rhs; } - public boolean gteq_b( double rhs ) { return v >= rhs; } - - // string comparison - public int strcmp( LuaString rhs ) { typerror("attempt to compare number with string"); return 0; } - - public String tojstring() { - /* - if ( v == 0.0 ) { // never occurs in J2me - long bits = Double.doubleToLongBits( v ); - return ( bits >> 63 == 0 ) ? "0" : "-0"; - } - */ - long l = (long) v; - if ( l == v ) - return Long.toString(l); - if ( Double.isNaN(v) ) - return JSTR_NAN; - if ( Double.isInfinite(v) ) - return (v<0? JSTR_NEGINF: JSTR_POSINF); - return Float.toString((float)v); - } - - public LuaString strvalue() { - return LuaString.valueOf(tojstring()); - } - - public LuaString optstring(LuaString defval) { - return LuaString.valueOf(tojstring()); - } - - public LuaValue tostring() { - return LuaString.valueOf(tojstring()); - } - - public String optjstring(String defval) { - return tojstring(); - } - - public LuaNumber optnumber(LuaNumber defval) { - return this; - } - - public boolean isnumber() { - return true; - } - - public boolean isstring() { - return true; - } - - public LuaValue tonumber() { - return this; - } - public int checkint() { return (int) (long) v; } - public long checklong() { return (long) v; } - public LuaNumber checknumber() { return this; } - public double checkdouble() { return v; } - - public String checkjstring() { - return tojstring(); - } - public LuaString checkstring() { - return LuaString.valueOf(tojstring()); - } - - public LuaValue checkvalidkey() { - if ( Double.isNaN(v) ) - throw new LuaError("table index expected, got nan"); - return this; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaError.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaError.java deleted file mode 100644 index fd9c62e4e..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaError.java +++ /dev/null @@ -1,132 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -import org.luaj.vm2.lib.DebugLib; - -/** - * RuntimeException that is thrown and caught in response to a lua error. - *

- * {@link LuaError} is used wherever a lua call to {@code error()} - * would be used within a script. - *

- * Since it is an unchecked exception inheriting from {@link RuntimeException}, - * Java method signatures do notdeclare this exception, althoug it can - * be thrown on almost any luaj Java operation. - * This is analagous to the fact that any lua script can throw a lua error at any time. - *

- */ -public class LuaError extends RuntimeException { - private static final long serialVersionUID = 1L; - - private String traceback; - - /** - * Run the error hook if there is one - * @param msg the message to use in error hook processing. - * */ - private static String errorHook(String msg) { - LuaThread thread = LuaThread.getRunning(); - if ( thread.err != null ) { - LuaValue errfunc = thread.err; - thread.err = null; - try { - return errfunc.call( LuaValue.valueOf(msg) ).tojstring(); - } catch ( Throwable t ) { - return "error in error handling"; - } finally { - thread.err = errfunc; - } - } - return msg; - } - - private Throwable cause; - - /** Construct LuaError when a program exception occurs. - *

- * All errors generated from lua code should throw LuaError(String) instead. - * @param cause the Throwable that caused the error, if known. - */ - public LuaError(Throwable cause) { - super( errorHook( addFileLine( "vm error: "+cause ) ) ); - this.cause = cause; - this.traceback = DebugLib.traceback(1); - } - - /** - * Construct a LuaError with a specific message. - * - * @param message message to supply - */ - public LuaError(String message) { - super( errorHook( addFileLine( message ) ) ); - this.traceback = DebugLib.traceback(1); - } - - /** - * Construct a LuaError with a message, and level to draw line number information from. - * @param message message to supply - * @param level where to supply line info from in call stack - */ - public LuaError(String message, int level) { - super( errorHook( addFileLine( message, level ) ) ); - this.traceback = DebugLib.traceback(1); - } - - /** - * Add file and line info to a message at a particular level - * @param message the String message to use - * @param level where to supply line info from in call stack - * */ - private static String addFileLine( String message, int level ) { - if ( message == null ) return null; - if ( level == 0 ) return message; - String fileline = DebugLib.fileline(level-1); - return fileline!=null? fileline+": "+message: message; - } - - /** Add file and line info for the nearest enclosing closure - * @param message the String message to use - * */ - private static String addFileLine( String message ) { - if ( message == null ) return null; - String fileline = DebugLib.fileline(); - return fileline!=null? fileline+": "+message: message; - } - - /** Print the message and stack trace */ - public void printStackTrace() { - System.out.println( toString() ); - if ( traceback != null ) - System.out.println( traceback ); - } - - /** - * Get the cause, if any. - */ - public Throwable getCause() { - return cause; - } - - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaFunction.java deleted file mode 100644 index 5a4f11463..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaFunction.java +++ /dev/null @@ -1,82 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - -/** - * Base class for functions implemented in Java. - *

- * Direct subclass include {@link LibFunction} which is the base class for - * all built-in library functions coded in Java, - * and {@link LuaClosure}, which represents a lua closure - * whose bytecode is interpreted when the function is invoked. - * @see LuaValue - * @see LibFunction - * @see LuaClosure - */ -abstract -public class LuaFunction extends LuaValue { - - /** Shared static metatable for all functions and closures. */ - public static LuaValue s_metatable; - - protected LuaValue env; - - public LuaFunction() { - this.env = NIL; - } - - public LuaFunction(LuaValue env) { - this.env = env; - } - - public int type() { - return TFUNCTION; - } - - public String typename() { - return "function"; - } - - public boolean isfunction() { - return true; - } - - public LuaValue checkfunction() { - return this; - } - - public LuaFunction optfunction(LuaFunction defval) { - return this; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public LuaValue getfenv() { - return env; - } - - public void setfenv(LuaValue env) { - this.env = env!=null? env: NIL; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaInteger.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaInteger.java deleted file mode 100644 index 008efdd4b..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaInteger.java +++ /dev/null @@ -1,215 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -import org.luaj.vm2.lib.MathLib; - -/** - * Extension of {@link LuaNumber} which can hold a Java int as its value. - *

- * These instance are not instantiated directly by clients, but indirectly - * via the static functions {@link LuaValue#valueOf(int)} or {@link LuaValue#valueOf(double)} - * functions. This ensures that policies regarding pooling of instances are - * encapsulated. - *

- * There are no API's specific to LuaInteger that are useful beyond what is already - * exposed in {@link LuaValue}. - * - * @see LuaValue - * @see LuaNumber - * @see LuaDouble - * @see LuaValue#valueOf(int) - * @see LuaValue#valueOf(double) - */ -public class LuaInteger extends LuaNumber { - - private static final LuaInteger[] intValues = new LuaInteger[512]; - static { - for ( int i=0; i<512; i++ ) - intValues[i] = new LuaInteger(i-256); - } - - public static LuaInteger valueOf(int i) { - return i<=255 && i>=-256? intValues[i+256]: new LuaInteger(i); - }; - - // TODO consider moving this to LuaValue - /** Return a LuaNumber that represents the value provided - * @param l long value to represent. - * @return LuaNumber that is eithe LuaInteger or LuaDouble representing l - * @see LuaValue#valueOf(int) - * @see LuaValue#valueOf(double) - */ - public static LuaNumber valueOf(long l) { - int i = (int) l; - return l==i? (i<=255 && i>=-256? intValues[i+256]: - (LuaNumber) new LuaInteger(i)): - (LuaNumber) LuaDouble.valueOf(l); - } - - /** The value being held by this instance. */ - public final int v; - - /** - * Package protected constructor. - * @see LuaValue#valueOf(int) - **/ - LuaInteger(int i) { - this.v = i; - } - - public boolean isint() { return true; } - public boolean isinttype() { return true; } - public boolean islong() { return true; } - - public byte tobyte() { return (byte) v; } - public char tochar() { return (char) v; } - public double todouble() { return v; } - public float tofloat() { return v; } - public int toint() { return v; } - public long tolong() { return v; } - public short toshort() { return (short) v; } - - public double optdouble(double defval) { return v; } - public int optint(int defval) { return v; } - public LuaInteger optinteger(LuaInteger defval) { return this; } - public long optlong(long defval) { return v; } - - public String tojstring() { - return Integer.toString(v); - } - - public LuaString strvalue() { - return LuaString.valueOf(Integer.toString(v)); - } - - public LuaString optstring(LuaString defval) { - return LuaString.valueOf(Integer.toString(v)); - } - - public LuaValue tostring() { - return LuaString.valueOf(Integer.toString(v)); - } - - public String optjstring(String defval) { - return Integer.toString(v); - } - - public LuaInteger checkinteger() { - return this; - } - - public boolean isstring() { - return true; - } - - public int hashCode() { - return v; - } - - // unary operators - public LuaValue neg() { return valueOf(-(long)v); } - - // object equality, used for key comparison - public boolean equals(Object o) { return o instanceof LuaInteger? ((LuaInteger)o).v == v: false; } - - // equality w/ metatable processing - public LuaValue eq( LuaValue val ) { return val.raweq(v)? TRUE: FALSE; } - public boolean eq_b( LuaValue val ) { return val.raweq(v); } - - // equality w/o metatable processing - public boolean raweq( LuaValue val ) { return val.raweq(v); } - public boolean raweq( double val ) { return v == val; } - public boolean raweq( int val ) { return v == val; } - - // arithmetic operators - public LuaValue add( LuaValue rhs ) { return rhs.add(v); } - public LuaValue add( double lhs ) { return LuaDouble.valueOf(lhs + v); } - public LuaValue add( int lhs ) { return LuaInteger.valueOf(lhs + (long)v); } - public LuaValue sub( LuaValue rhs ) { return rhs.subFrom(v); } - public LuaValue sub( double rhs ) { return LuaDouble.valueOf(v - rhs); } - public LuaValue sub( int rhs ) { return LuaDouble.valueOf(v - rhs); } - public LuaValue subFrom( double lhs ) { return LuaDouble.valueOf(lhs - v); } - public LuaValue subFrom( int lhs ) { return LuaInteger.valueOf(lhs - (long)v); } - public LuaValue mul( LuaValue rhs ) { return rhs.mul(v); } - public LuaValue mul( double lhs ) { return LuaDouble.valueOf(lhs * v); } - public LuaValue mul( int lhs ) { return LuaInteger.valueOf(lhs * (long)v); } - public LuaValue pow( LuaValue rhs ) { return rhs.powWith(v); } - public LuaValue pow( double rhs ) { return MathLib.dpow(v,rhs); } - public LuaValue pow( int rhs ) { return MathLib.dpow(v,rhs); } - public LuaValue powWith( double lhs ) { return MathLib.dpow(lhs,v); } - public LuaValue powWith( int lhs ) { return MathLib.dpow(lhs,v); } - public LuaValue div( LuaValue rhs ) { return rhs.divInto(v); } - public LuaValue div( double rhs ) { return LuaDouble.ddiv(v,rhs); } - public LuaValue div( int rhs ) { return LuaDouble.ddiv(v,rhs); } - public LuaValue divInto( double lhs ) { return LuaDouble.ddiv(lhs,v); } - public LuaValue mod( LuaValue rhs ) { return rhs.modFrom(v); } - public LuaValue mod( double rhs ) { return LuaDouble.dmod(v,rhs); } - public LuaValue mod( int rhs ) { return LuaDouble.dmod(v,rhs); } - public LuaValue modFrom( double lhs ) { return LuaDouble.dmod(lhs,v); } - - // relational operators - public LuaValue lt( LuaValue rhs ) { return rhs.gt_b(v)? TRUE: FALSE; } - public LuaValue lt( double rhs ) { return v < rhs? TRUE: FALSE; } - public LuaValue lt( int rhs ) { return v < rhs? TRUE: FALSE; } - public boolean lt_b( LuaValue rhs ) { return rhs.gt_b(v); } - public boolean lt_b( int rhs ) { return v < rhs; } - public boolean lt_b( double rhs ) { return v < rhs; } - public LuaValue lteq( LuaValue rhs ) { return rhs.gteq_b(v)? TRUE: FALSE; } - public LuaValue lteq( double rhs ) { return v <= rhs? TRUE: FALSE; } - public LuaValue lteq( int rhs ) { return v <= rhs? TRUE: FALSE; } - public boolean lteq_b( LuaValue rhs ) { return rhs.gteq_b(v); } - public boolean lteq_b( int rhs ) { return v <= rhs; } - public boolean lteq_b( double rhs ) { return v <= rhs; } - public LuaValue gt( LuaValue rhs ) { return rhs.lt_b(v)? TRUE: FALSE; } - public LuaValue gt( double rhs ) { return v > rhs? TRUE: FALSE; } - public LuaValue gt( int rhs ) { return v > rhs? TRUE: FALSE; } - public boolean gt_b( LuaValue rhs ) { return rhs.lt_b(v); } - public boolean gt_b( int rhs ) { return v > rhs; } - public boolean gt_b( double rhs ) { return v > rhs; } - public LuaValue gteq( LuaValue rhs ) { return rhs.lteq_b(v)? TRUE: FALSE; } - public LuaValue gteq( double rhs ) { return v >= rhs? TRUE: FALSE; } - public LuaValue gteq( int rhs ) { return v >= rhs? TRUE: FALSE; } - public boolean gteq_b( LuaValue rhs ) { return rhs.lteq_b(v); } - public boolean gteq_b( int rhs ) { return v >= rhs; } - public boolean gteq_b( double rhs ) { return v >= rhs; } - - // string comparison - public int strcmp( LuaString rhs ) { typerror("attempt to compare number with string"); return 0; } - - public int checkint() { - return v; - } - public long checklong() { - return v; - } - public double checkdouble() { - return v; - } - public String checkjstring() { - return String.valueOf(v); - } - public LuaString checkstring() { - return valueOf( String.valueOf(v) ); - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaNil.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaNil.java deleted file mode 100644 index a3960bc6c..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaNil.java +++ /dev/null @@ -1,104 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -/** - * Class to encapsulate behavior of the singleton instance {@code nil} - *

- * There will be one instance of this class, {@link LuaValue#NIL}, - * per Java virtual machine. - * However, the {@link Varargs} instance {@link LuaValue#NONE} - * which is the empty list, - * is also considered treated as a nil value by default. - *

- * Although it is possible to test for nil using Java == operator, - * the recommended approach is to use the method {@link LuaValue#isnil()} - * instead. By using that any ambiguities between - * {@link LuaValue#NIL} and {@link LuaValue#NONE} are avoided. - * @see LuaValue - * @see LuaValue#NIL - */ -public class LuaNil extends LuaValue { - - static final LuaNil _NIL = new LuaNil(); - - public static LuaValue s_metatable; - - LuaNil() {} - - public int type() { - return LuaValue.TNIL; - } - - public String typename() { - return "nil"; - } - - public String tojstring() { - return "nil"; - } - - public LuaValue not() { - return LuaValue.TRUE; - } - - public boolean toboolean() { - return false; - } - - public boolean isnil() { - return true; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public boolean equals(Object o) { - return o instanceof LuaNil; - } - - public LuaValue checknotnil() { - return argerror("value"); - } - - public LuaValue checkvalidkey() { - return typerror("table index"); - } - - // optional argument conversions - nil alwas falls badk to default value - public boolean optboolean(boolean defval) { return defval; } - public LuaClosure optclosure(LuaClosure defval) { return defval; } - public double optdouble(double defval) { return defval; } - public LuaFunction optfunction(LuaFunction defval) { return defval; } - public int optint(int defval) { return defval; } - public LuaInteger optinteger(LuaInteger defval) { return defval; } - public long optlong(long defval) { return defval; } - public LuaNumber optnumber(LuaNumber defval) { return defval; } - public LuaTable opttable(LuaTable defval) { return defval; } - public LuaThread optthread(LuaThread defval) { return defval; } - public String optjstring(String defval) { return defval; } - public LuaString optstring(LuaString defval) { return defval; } - public Object optuserdata(Object defval) { return defval; } - public Object optuserdata(Class c, Object defval) { return defval; } - public LuaValue optvalue(LuaValue defval) { return defval; } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaNumber.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaNumber.java deleted file mode 100644 index ef9722182..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaNumber.java +++ /dev/null @@ -1,81 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - -/** - * Base class for representing numbers as lua values directly. - *

- * The main subclasses are {@link LuaInteger} which holds values that fit in a java int, - * and {@link LuaDouble} which holds all other number values. - * @see LuaInteger - * @see LuaDouble - * @see LuaValue - * - */ -abstract -public class LuaNumber extends LuaValue { - - /** Shared static metatable for all number values represented in lua. */ - public static LuaValue s_metatable; - - public int type() { - return TNUMBER; - } - - public String typename() { - return "number"; - } - - public LuaNumber checknumber() { - return this; - } - - public LuaNumber checknumber(String errmsg) { - return this; - } - - public LuaNumber optnumber(LuaNumber defval) { - return this; - } - - public LuaValue tonumber() { - return this; - } - - public boolean isnumber() { - return true; - } - - public boolean isstring() { - return true; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public LuaValue concat(LuaValue rhs) { return rhs.concatTo(this); } - public Buffer concat(Buffer rhs) { return rhs.concatTo(this); } - public LuaValue concatTo(LuaNumber lhs) { return strvalue().concatTo(lhs.strvalue()); } - public LuaValue concatTo(LuaString lhs) { return strvalue().concatTo(lhs); } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaString.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaString.java deleted file mode 100644 index 5d33ba26c..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaString.java +++ /dev/null @@ -1,749 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - - -import java.io.ByteArrayInputStream; -import java.io.DataOutputStream; -import java.io.IOException; -import java.io.InputStream; -import java.lang.String; -import java.lang.ref.WeakReference; -import java.util.Hashtable; - -import org.luaj.vm2.lib.MathLib; -import org.luaj.vm2.lib.StringLib; - -/** - * Subclass of {@link LuaValue} for representing lua strings. - *

- * Because lua string values are more nearly sequences of bytes than - * sequences of characters or unicode code points, the {@link LuaString} - * implementation holds the string value in an internal byte array. - *

- * {@link LuaString} values are generally not mutable once constructed, - * so multiple {@link LuaString} values can chare a single byte array. - *

- * Currently {@link LuaString}s are pooled via a centrally managed weak table. - * To ensure that as many string values as possible take advantage of this, - * Constructors are not exposed directly. As with number, booleans, and nil, - * instance construction should be via {@link LuaValue#valueOf(byte[])} or similar API. - *

- * When Java Strings are used to initialize {@link LuaString} data, the UTF8 encoding is assumed. - * The functions - * {@link LuaString#lengthAsUtf8(char[]), - * {@link LuaString#encodeToUtf8(char[], byte[], int)}, and - * {@link LuaString#decodeAsUtf8(byte[], int, int) - * are used to convert back and forth between UTF8 byte arrays and character arrays. - * - * @see LuaValue - * @see LuaValue#valueOf(String) - * @see LuaValue#valueOf(byte[]) - */ -public class LuaString extends LuaValue { - - /** The singleton instance representing lua {@code true} */ - public static LuaValue s_metatable; - - /** The bytes for the string */ - public final byte[] m_bytes; - - /** The offset into the byte array, 0 means start at the first byte */ - public final int m_offset; - - /** The number of bytes that comprise this string */ - public final int m_length; - - private static final Hashtable index_java = new Hashtable(); - - private final static LuaString index_get(Hashtable indextable, Object key) { - WeakReference w = (WeakReference) indextable.get(key); - return w!=null? (LuaString) w.get(): null; - } - - private final static void index_set(Hashtable indextable, Object key, LuaString value) { - indextable.put(key, new WeakReference(value)); - } - - /** - * Get a {@link LuaString} instance whose bytes match - * the supplied Java String using the UTF8 encoding. - * @param string Java String containing characters to encode as UTF8 - * @return {@link LuaString} with UTF8 bytes corresponding to the supplied String - */ - public static LuaString valueOf(String string) { - LuaString s = index_get( index_java, string ); - if ( s != null ) return s; - char[] c = string.toCharArray(); - /* DAN200 START */ - /* - byte[] b = new byte[lengthAsUtf8(c)]; - encodeToUtf8(c, b, 0); - */ - byte[] b = new byte[c.length]; - for( int i=0; i - * The array is used directly after this is called, so clients must not change contents. - *

- * @param bytes byte buffer - * @param off offset into the byte buffer - * @param len length of the byte buffer - * @return {@link LuaString} wrapping the byte buffer - */ - public static LuaString valueOf(byte[] bytes, int off, int len) { - return new LuaString(bytes, off, len); - } - - /** Construct a {@link LuaString} using the supplied characters as byte values. - *

- * Only th elow-order 8-bits of each character are used, the remainder is ignored. - *

- * This is most useful for constructing byte sequences that do not conform to UTF8. - * @param bytes array of char, whose values are truncated at 8-bits each and put into a byte array. - * @return {@link LuaString} wrapping a copy of the byte buffer - */ - public static LuaString valueOf(char[] bytes) { - int n = bytes.length; - byte[] b = new byte[n]; - for ( int i=0; i - * The array is used directly after this is called, so clients must not change contents. - *

- * @param bytes byte buffer - * @return {@link LuaString} wrapping the byte buffer - */ - public static LuaString valueOf(byte[] bytes) { - return valueOf(bytes, 0, bytes.length); - } - - /** Construct a {@link LuaString} around a byte array without copying the contents. - *

- * The array is used directly after this is called, so clients must not change contents. - *

- * @param bytes byte buffer - * @param offset offset into the byte buffer - * @param length length of the byte buffer - * @return {@link LuaString} wrapping the byte buffer - */ - private LuaString(byte[] bytes, int offset, int length) { - this.m_bytes = bytes; - this.m_offset = offset; - this.m_length = length; - } - - public boolean isstring() { - return true; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public int type() { - return LuaValue.TSTRING; - } - - public String typename() { - return "string"; - } - - public String tojstring() { - /* DAN200 START */ - /* - return decodeAsUtf8(m_bytes, m_offset, m_length); - */ - char[] chars = new char[ m_length ]; - for( int i=0; i0? LuaValue.TRUE: FALSE; } - public boolean lt_b( LuaValue rhs ) { return rhs.strcmp(this)>0; } - public boolean lt_b( int rhs ) { typerror("attempt to compare string with number"); return false; } - public boolean lt_b( double rhs ) { typerror("attempt to compare string with number"); return false; } - public LuaValue lteq( LuaValue rhs ) { return rhs.strcmp(this)>=0? LuaValue.TRUE: FALSE; } - public boolean lteq_b( LuaValue rhs ) { return rhs.strcmp(this)>=0; } - public boolean lteq_b( int rhs ) { typerror("attempt to compare string with number"); return false; } - public boolean lteq_b( double rhs ) { typerror("attempt to compare string with number"); return false; } - public LuaValue gt( LuaValue rhs ) { return rhs.strcmp(this)<0? LuaValue.TRUE: FALSE; } - public boolean gt_b( LuaValue rhs ) { return rhs.strcmp(this)<0; } - public boolean gt_b( int rhs ) { typerror("attempt to compare string with number"); return false; } - public boolean gt_b( double rhs ) { typerror("attempt to compare string with number"); return false; } - public LuaValue gteq( LuaValue rhs ) { return rhs.strcmp(this)<=0? LuaValue.TRUE: FALSE; } - public boolean gteq_b( LuaValue rhs ) { return rhs.strcmp(this)<=0; } - public boolean gteq_b( int rhs ) { typerror("attempt to compare string with number"); return false; } - public boolean gteq_b( double rhs ) { typerror("attempt to compare string with number"); return false; } - - // concatenation - public LuaValue concat(LuaValue rhs) { return rhs.concatTo(this); } - public Buffer concat(Buffer rhs) { return rhs.concatTo(this); } - public LuaValue concatTo(LuaNumber lhs) { return concatTo(lhs.strvalue()); } - public LuaValue concatTo(LuaString lhs) { - byte[] b = new byte[lhs.m_length+this.m_length]; - System.arraycopy(lhs.m_bytes, lhs.m_offset, b, 0, lhs.m_length); - System.arraycopy(this.m_bytes, this.m_offset, b, lhs.m_length, this.m_length); - return new LuaString(b, 0, b.length); - } - - // string comparison - public int strcmp(LuaValue lhs) { return -lhs.strcmp(this); } - public int strcmp(LuaString rhs) { - for ( int i=0, j=0; i>5)+1; /* if string is too long, don't hash all its chars */ - for (int l1=m_length; l1>=step; l1-=step) /* compute hash */ - h = h ^ ((h<<5)+(h>>2)+(((int) m_bytes[m_offset+l1-1] ) & 0x0FF )); - return h; - } - - // object comparison, used in key comparison - public boolean equals( Object o ) { - if ( o instanceof LuaString ) { - return raweq( (LuaString) o ); - } - return false; - } - - // equality w/ metatable processing - public LuaValue eq( LuaValue val ) { return val.raweq(this)? TRUE: FALSE; } - public boolean eq_b( LuaValue val ) { return val.raweq(this); } - - // equality w/o metatable processing - public boolean raweq( LuaValue val ) { - return val.raweq(this); - } - - public boolean raweq( LuaString s ) { - if ( this == s ) - return true; - if ( s.m_length != m_length ) - return false; - if ( s.m_bytes == m_bytes && s.m_offset == m_offset ) - return true; - if ( s.hashCode() != hashCode() ) - return false; - for ( int i=0; i=0 ) - if ( a[i++]!=b[j++] ) - return false; - return true; - } - - public void write(DataOutputStream writer, int i, int len) throws IOException { - writer.write(m_bytes,m_offset+i,len); - } - - public LuaValue len() { - return LuaInteger.valueOf(m_length); - } - - public int length() { - return m_length; - } - - public int luaByte(int index) { - return m_bytes[m_offset + index] & 0x0FF; - } - - public int charAt( int index ) { - if ( index < 0 || index >= m_length ) - throw new IndexOutOfBoundsException(); - return luaByte( index ); - } - - public String checkjstring() { - return tojstring(); - } - - public LuaString checkstring() { - return this; - } - - /** Convert value to an input stream. - * - * @return {@link InputStream} whose data matches the bytes in this {@link LuaString} - */ - public InputStream toInputStream() { - return new ByteArrayInputStream(m_bytes, m_offset, m_length); - } - - /** - * Copy the bytes of the string into the given byte array. - * @param strOffset offset from which to copy - * @param bytes destination byte array - * @param arrayOffset offset in destination - * @param len number of bytes to copy - */ - public void copyInto( int strOffset, byte[] bytes, int arrayOffset, int len ) { - System.arraycopy( m_bytes, m_offset+strOffset, bytes, arrayOffset, len ); - } - - /** Java version of strpbrk - find index of any byte that in an accept string. - * @param accept {@link LuaString} containing characters to look for. - * @return index of first match in the {@code accept} string, or -1 if not found. - */ - public int indexOfAny( LuaString accept ) { - final int ilimit = m_offset + m_length; - final int jlimit = accept.m_offset + accept.m_length; - for ( int i = m_offset; i < ilimit; ++i ) { - for ( int j = accept.m_offset; j < jlimit; ++j ) { - if ( m_bytes[i] == accept.m_bytes[j] ) { - return i - m_offset; - } - } - } - return -1; - } - - /** - * Find the index of a byte starting at a point in this string - * @param b the byte to look for - * @param start the first index in the string - * @return index of first match found, or -1 if not found. - */ - public int indexOf( byte b, int start ) { - for ( int i=0, j=m_offset+start; i < m_length; ++i ) { - if ( m_bytes[j++] == b ) - return i; - } - return -1; - } - - /** - * Find the index of a string starting at a point in this string - * @param s the string to search for - * @param start the first index in the string - * @return index of first match found, or -1 if not found. - */ - public int indexOf( LuaString s, int start ) { - final int slen = s.length(); - final int limit = m_offset + m_length - slen; - for ( int i = m_offset + start; i <= limit; ++i ) { - if ( equals( m_bytes, i, s.m_bytes, s.m_offset, slen ) ) { - /* DAN200 START */ - //return i; - return i - m_offset; - /* DAN200 END */ - } - } - return -1; - } - - /** - * Find the last index of a string in this string - * @param s the string to search for - * @return index of last match found, or -1 if not found. - */ - public int lastIndexOf( LuaString s ) { - final int slen = s.length(); - final int limit = m_offset + m_length - slen; - for ( int i = limit; i >= m_offset; --i ) { - if ( equals( m_bytes, i, s.m_bytes, s.m_offset, slen ) ) { - /* DAN200 START */ - //return i; - return i - m_offset; - /* DAN200 END */ - } - } - return -1; - } - - - /** - * Convert to Java String interpreting as utf8 characters. - * - * @param bytes byte array in UTF8 encoding to convert - * @param offset starting index in byte array - * @param length number of bytes to convert - * @return Java String corresponding to the value of bytes interpreted using UTF8 - * @see #lengthAsUtf8(char[]) - * @see #encodeToUtf8(char[], byte[], int) - * @see #isValidUtf8() - */ - /* DAN200 START */ - //public static String decodeAsUtf8(byte[] bytes, int offset, int length) { - private static String decodeAsUtf8(byte[] bytes, int offset, int length) { - /* DAN200 END */ - int i,j,n,b; - for ( i=offset,j=offset+length,n=0; i=0||i>=j)? b: - (b<-32||i+1>=j)? (((b&0x3f) << 6) | (bytes[i++]&0x3f)): - (((b&0xf) << 12) | ((bytes[i++]&0x3f)<<6) | (bytes[i++]&0x3f))); - } - return new String(chars); - } - - /** - * Count the number of bytes required to encode the string as UTF-8. - * @param chars Array of unicode characters to be encoded as UTF-8 - * @return count of bytes needed to encode using UTF-8 - * @see #encodeToUtf8(char[], byte[], int) - * @see #decodeAsUtf8(byte[], int, int) - * @see #isValidUtf8() - */ - /* DAN200 START */ - //public static int lengthAsUtf8(char[] chars) { - private static int lengthAsUtf8(char[] chars) { - /* DAN200 END */ - int i,b; - char c; - for ( i=b=chars.length; --i>=0; ) - if ( (c=chars[i]) >=0x80 ) - b += (c>=0x800)? 2: 1; - return b; - } - - /** - * Encode the given Java string as UTF-8 bytes, writing the result to bytes - * starting at offset. - *

- * The string should be measured first with lengthAsUtf8 - * to make sure the given byte array is large enough. - * @param chars Array of unicode characters to be encoded as UTF-8 - * @param bytes byte array to hold the result - * @param off offset into the byte array to start writing - * @see #lengthAsUtf8(char[]) - * @see #decodeAsUtf8(byte[], int, int) - * @see #isValidUtf8() - */ - /* DAN200 START */ - //public static void encodeToUtf8(char[] chars, byte[] bytes, int off) { - private static void encodeToUtf8(char[] chars, byte[] bytes, int off) { - /* DAN200 END */ - final int n = chars.length; - char c; - for ( int i=0, j=off; i>6) & 0x1f)); - bytes[j++] = (byte) (0x80 | ( c & 0x3f)); - } else { - bytes[j++] = (byte) (0xE0 | ((c>>12) & 0x0f)); - bytes[j++] = (byte) (0x80 | ((c>>6) & 0x3f)); - bytes[j++] = (byte) (0x80 | ( c & 0x3f)); - } - } - } - - /** Check that a byte sequence is valid UTF-8 - * @return true if it is valid UTF-8, otherwise false - * @see #lengthAsUtf8(char[]) - * @see #encodeToUtf8(char[], byte[], int) - * @see #decodeAsUtf8(byte[], int, int) - */ - public boolean isValidUtf8() { - int i,j,n,b,e=0; - for ( i=m_offset,j=m_offset+m_length,n=0; i= 0 ) continue; - if ( ((c & 0xE0) == 0xC0) - && i= 2 && base <= 36 ) { - int i=m_offset,j=m_offset+m_length; - while ( i=j ) - return Double.NaN; - if ( ( base == 10 || base == 16 ) && ( m_bytes[i]=='0' && i+1='0'&&m_bytes[i]<='9')? '0': - m_bytes[i]>='A'&&m_bytes[i]<='Z'? ('A'-10): ('a'-10)); - if ( digit < 0 || digit >= base ) - return Double.NaN; - x = x * base + digit; - } - return neg? -x: x; - } - - /** - * Scan and convert a double value, or return Double.NaN if not a double. - * @param start the index to start searching from - * @param end the first index beyond the search range - * @return double value if conversion is valid, - * or Double.NaN if not - */ - private double scandouble(int start, int end) { - if ( end>start+64 ) end=start+64; - for ( int i=start; i - * Almost all API's implemented in {@link LuaTable} are defined and documented in {@link LuaValue}. - *

- * If a table is needed, the one of the type-checking functions can be used such as - * {@link #istable()}, - * {@link #checktable()}, or - * {@link #opttable(LuaTable)} - *

- * The main table operations are defined on {@link LuaValue} - * for getting and setting values with and without metatag processing: - *

    - *
  • {@link #get(LuaValue)}
  • - *
  • {@link #set(LuaValue,LuaValue)}
  • - *
  • {@link #rawget(LuaValue)}
  • - *
  • {@link #rawset(LuaValue,LuaValue)}
  • - *
  • plus overloads such as {@link #get(String)}, {@link #get(int)}, and so on
  • - *
- *

- * To iterate over key-value pairs from Java, use - *

 {@code
- * LuaValue k = LuaValue.NIL;
- * while ( true ) {
- *    Varargs n = table.next(k);
- *    if ( (k = n.arg1()).isnil() )
- *       break;
- *    LuaValue v = n.arg(2)
- *    process( k, v )
- * }}
- * - *

- * As with other types, {@link LuaTable} instances should be constructed via one of the table constructor - * methods on {@link LuaValue}: - *

    - *
  • {@link LuaValue#tableOf()} empty table
  • - *
  • {@link LuaValue#tableOf(int, int)} table with capacity
  • - *
  • {@link LuaValue#listOf(LuaValue[])} initialize array part
  • - *
  • {@link LuaValue#listOf(LuaValue[], Varargs)} initialize array part
  • - *
  • {@link LuaValue#tableOf(LuaValue[])} initialize named hash part
  • - *
  • {@link LuaValue#tableOf(Varargs, int)} initialize named hash part
  • - *
  • {@link LuaValue#tableOf(LuaValue[], LuaValue[])} initialize array and named parts
  • - *
  • {@link LuaValue#tableOf(LuaValue[], LuaValue[], Varargs)} initialize array and named parts
  • - *
- * @see LuaValue - */ -public class LuaTable extends LuaValue { - private static final int MIN_HASH_CAPACITY = 2; - private static final LuaString N = valueOf("n"); - - /** the array values */ - protected LuaValue[] array; - - /** the hash keys */ - protected LuaValue[] hashKeys; - - /** the hash values */ - protected LuaValue[] hashValues; - - /** the number of hash entries */ - protected int hashEntries; - - /** metatable for this table, or null */ - protected LuaValue m_metatable; - - /** Construct empty table */ - public LuaTable() { - array = NOVALS; - hashKeys = NOVALS; - hashValues = NOVALS; - } - - /** - * Construct table with preset capacity. - * @param narray capacity of array part - * @param nhash capacity of hash part - */ - public LuaTable(int narray, int nhash) { - presize(narray, nhash); - } - - /** - * Construct table with named and unnamed parts. - * @param named Named elements in order {@code key-a, value-a, key-b, value-b, ... } - * @param unnamed Unnamed elements in order {@code value-1, value-2, ... } - * @param lastarg Additional unnamed values beyond {@code unnamed.length} - */ - public LuaTable(LuaValue[] named, LuaValue[] unnamed, Varargs lastarg) { - int nn = (named!=null? named.length: 0); - int nu = (unnamed!=null? unnamed.length: 0); - int nl = (lastarg!=null? lastarg.narg(): 0); - presize(nu+nl, nn-(nn>>1)); - for ( int i=0; i array.length ) - array = resize( array, narray ); - } - - public void presize(int narray, int nhash) { - if ( nhash > 0 && nhash < MIN_HASH_CAPACITY ) - nhash = MIN_HASH_CAPACITY; - array = (narray>0? new LuaValue[narray]: NOVALS); - hashKeys = (nhash>0? new LuaValue[nhash]: NOVALS); - hashValues = (nhash>0? new LuaValue[nhash]: NOVALS); - hashEntries = 0; - } - - /** Resize the table */ - private static LuaValue[] resize( LuaValue[] old, int n ) { - LuaValue[] v = new LuaValue[n]; - System.arraycopy(old, 0, v, 0, old.length); - return v; - } - - /** - * Get the length of the array part of the table. - * @return length of the array part, does not relate to count of objects in the table. - */ - protected int getArrayLength() { - return array.length; - } - - /** - * Get the length of the hash part of the table. - * @return length of the hash part, does not relate to count of objects in the table. - */ - protected int getHashLength() { - return hashValues.length; - } - - public LuaValue getmetatable() { - return m_metatable; - } - - public LuaValue setmetatable(LuaValue metatable) { - m_metatable = metatable; - LuaValue mode; - if ( m_metatable!=null && (mode=m_metatable.rawget(MODE)).isstring() ) { - String m = mode.tojstring(); - boolean k = m.indexOf('k')>=0; - boolean v = m.indexOf('v')>=0; - return changemode(k,v); - } - return this; - } - - /** - * Change the mode of a table - * @param weakkeys true to make the table have weak keys going forward - * @param weakvalues true to make the table have weak values going forward - * @return {@code this} or a new {@link WeakTable} if the mode change requires copying. - */ - protected LuaTable changemode(boolean weakkeys, boolean weakvalues) { - if ( weakkeys || weakvalues ) - return new WeakTable(weakkeys, weakvalues, this); - return this; - } - - public LuaValue get( int key ) { - LuaValue v = rawget(key); - return v.isnil() && m_metatable!=null? gettable(this,valueOf(key)): v; - } - - public LuaValue get( LuaValue key ) { - LuaValue v = rawget(key); - return v.isnil() && m_metatable!=null? gettable(this,key): v; - } - - public LuaValue rawget( int key ) { - if ( key>0 && key<=array.length ) - return array[key-1]!=null? array[key-1]: NIL; - return hashget( LuaInteger.valueOf(key) ); - } - - public LuaValue rawget( LuaValue key ) { - if ( key.isinttype() ) { - int ikey = key.toint(); - if ( ikey>0 && ikey<=array.length ) - return array[ikey-1]!=null? array[ikey-1]: NIL; - } - return hashget( key ); - } - - protected LuaValue hashget(LuaValue key) { - if ( hashEntries > 0 ) { - LuaValue v = hashValues[hashFindSlot(key)]; - return v!=null? v: NIL; - } - return NIL; - } - - public void set( int key, LuaValue value ) { - if ( m_metatable==null || ! rawget(key).isnil() || ! settable(this,LuaInteger.valueOf(key),value) ) - rawset(key, value); - } - - /** caller must ensure key is not nil */ - public void set( LuaValue key, LuaValue value ) { - key.checkvalidkey(); - if ( m_metatable==null || ! rawget(key).isnil() || ! settable(this,key,value) ) - rawset(key, value); - } - - public void rawset( int key, LuaValue value ) { - if ( ! arrayset(key, value) ) - hashset( LuaInteger.valueOf(key), value ); - } - - /** caller must ensure key is not nil */ - public void rawset( LuaValue key, LuaValue value ) { - if ( !key.isinttype() || !arrayset(key.toint(), value) ) - hashset( key, value ); - } - - /** Set an array element */ - private boolean arrayset( int key, LuaValue value ) { - if ( key>0 && key<=array.length ) { - array[key-1] = (value.isnil()? null: value); - return true; - } else if ( key==array.length+1 && !value.isnil() ) { - expandarray(); - array[key-1] = value; - return true; - } - return false; - } - - /** Expand the array part */ - private void expandarray() { - int n = array.length; - int m = Math.max(2,n*2); - array = resize(array, m); - for ( int i=n; i n) - return NONE; - LuaValue v = rawget(pos); - for ( LuaValue r=v; !r.isnil(); ) { - r = rawget(pos+1); - rawset(pos++, r); - } - return v.isnil()? NONE: v; - - } - - /** Insert an element at a position in a list-table - * - * @param pos the position to remove - * @param value The value to insert - */ - public void insert(int pos, LuaValue value) { - if ( pos == 0 ) - pos = length()+1; - while ( ! value.isnil() ) { - LuaValue v = rawget( pos ); - rawset(pos++, value); - value = v; - } - } - - /** Concatenate the contents of a table efficiently, using {@link Buffer} - * - * @param sep {@link LuaString} separater to apply between elements - * @param i the first element index - * @param j the last element index, inclusive - * @return {@link LuaString} value of the concatenation - */ - public LuaValue concat(LuaString sep, int i, int j) { - Buffer sb = new Buffer (); - if ( i<=j ) { - sb.append( get(i).checkstring() ); - while ( ++i<=j ) { - sb.append( sep ); - sb.append( get(i).checkstring() ); - } - } - return sb.tostring(); - } - - public LuaValue getn() { - for ( int n=getArrayLength(); n>0; --n ) - if ( !rawget(n).isnil() ) - return LuaInteger.valueOf(n); - return ZERO; - } - - public int length() { - int a = getArrayLength(); - int n = a+1,m=0; - while ( !rawget(n).isnil() ) { - m = n; - n += a+getHashLength()+1; - } - while ( n > m+1 ) { - int k = (n+m) / 2; - if ( !rawget(k).isnil() ) - m = k; - else - n = k; - } - return m; - } - - public LuaValue len() { - return LuaInteger.valueOf(length()); - } - - /** Return table.maxn() as defined by lua 5.0. - *

- * Provided for compatibility, not a scalable operation. - * @return value for maxn - */ - public int maxn() { - int n = 0; - for ( int i=0; i n ) - n = key; - } - } - return n; - } - - /** - * Get the next element after a particular key in the table - * @return key,value or nil - */ - public Varargs next( LuaValue key ) { - int i = 0; - do { - // find current key index - if ( ! key.isnil() ) { - if ( key.isinttype() ) { - i = key.toint(); - if ( i>0 && i<=array.length ) { - if ( array[i-1] == null ) - error( "invalid key to 'next'" ); - break; - } - } - if ( hashKeys.length == 0 ) - error( "invalid key to 'next'" ); - i = hashFindSlot(key); - if ( hashKeys[i] == null ) - error( "invalid key to 'next'" ); - i += 1+array.length; - } - } while ( false ); - - // check array part - for ( ; i 0 ) { - int slot = hashFindSlot( key ); - hashClearSlot( slot ); - } - } - - /** - * Clear a particular slot in the table - * @param i slot to clear. - */ - protected void hashClearSlot( int i ) { - if ( hashKeys[ i ] != null ) { - - int j = i; - int n = hashKeys.length; - while ( hashKeys[ j = ( ( j + 1 ) % n ) ] != null ) { - final int k = ( ( hashKeys[ j ].hashCode() )& 0x7FFFFFFF ) % n; - if ( ( j > i && ( k <= i || k > j ) ) || - ( j < i && ( k <= i && k > j ) ) ) { - hashKeys[ i ] = hashKeys[ j ]; - hashValues[ i ] = hashValues[ j ]; - i = j; - } - } - - --hashEntries; - hashKeys[ i ] = null; - hashValues[ i ] = null; - - if ( hashEntries == 0 ) { - hashKeys = NOVALS; - hashValues = NOVALS; - } - } - } - - private boolean checkLoadFactor() { - // Using a load factor of (n+1) >= 7/8 because that is easy to compute without - // overflow or division. - final int hashCapacity = hashKeys.length; - return hashEntries >= (hashCapacity - (hashCapacity>>3)); - } - - private void rehash() { - final int oldCapacity = hashKeys.length; - final int newCapacity = oldCapacity+(oldCapacity>>2)+MIN_HASH_CAPACITY; - - final LuaValue[] oldKeys = hashKeys; - final LuaValue[] oldValues = hashValues; - - hashKeys = new LuaValue[ newCapacity ]; - hashValues = new LuaValue[ newCapacity ]; - - for ( int i = 0; i < oldCapacity; ++i ) { - final LuaValue k = oldKeys[i]; - if ( k != null ) { - final LuaValue v = oldValues[i]; - final int slot = hashFindSlot( k ); - hashKeys[slot] = k; - hashValues[slot] = v; - } - } - } - - // ----------------- sort support ----------------------------- - // - // implemented heap sort from wikipedia - // - // Only sorts the contiguous array part. - // - /** Sort the table using a comparator. - * @param comparator {@link LuaValue} to be called to compare elements. - */ - public void sort(LuaValue comparator) { - int n = array.length; - while ( n > 0 && array[n-1] == null ) - --n; - if ( n > 1 ) - heapSort(n, comparator); - } - - private void heapSort(int count, LuaValue cmpfunc) { - heapify(count, cmpfunc); - for ( int end=count-1; end>0; ) { - swap(end, 0); - siftDown(0, --end, cmpfunc); - } - } - - private void heapify(int count, LuaValue cmpfunc) { - for ( int start=count/2-1; start>=0; --start ) - siftDown(start, count - 1, cmpfunc); - } - - private void siftDown(int start, int end, LuaValue cmpfunc) { - for ( int root=start; root*2+1 <= end; ) { - int child = root*2+1; - if (child < end && compare(child, child + 1, cmpfunc)) - ++child; - if (compare(root, child, cmpfunc)) { - swap(root, child); - root = child; - } else - return; - } - } - - private boolean compare(int i, int j, LuaValue cmpfunc) { - LuaValue a = array[i]; - LuaValue b = array[j]; - if ( a == null || b == null ) - return false; - if ( ! cmpfunc.isnil() ) { - return cmpfunc.call(a,b).toboolean(); - } else { - return a.lt_b(b); - } - } - - private void swap(int i, int j) { - LuaValue a = array[i]; - array[i] = array[j]; - array[j] = a; - } - - /** This may be deprecated in a future release. - * It is recommended to count via iteration over next() instead - * @return count of keys in the table - * */ - public int keyCount() { - LuaValue k = LuaValue.NIL; - for ( int i=0; true; i++ ) { - Varargs n = next(k); - if ( (k = n.arg1()).isnil() ) - return i; - } - } - - /** This may be deprecated in a future release. - * It is recommended to use next() instead - * @return array of keys in the table - * */ - public LuaValue[] keys() { - Vector l = new Vector(); - LuaValue k = LuaValue.NIL; - while ( true ) { - Varargs n = next(k); - if ( (k = n.arg1()).isnil() ) - break; - l.addElement( k ); - } - LuaValue[] a = new LuaValue[l.size()]; - l.copyInto(a); - return a; - } - - // equality w/ metatable processing - public LuaValue eq( LuaValue val ) { return eq_b(val)? TRUE: FALSE; } - public boolean eq_b( LuaValue val ) { - if ( this == val ) return true; - if ( m_metatable == null || !val.istable() ) return false; - LuaValue valmt = val.getmetatable(); - return valmt!=null && LuaValue.eqmtcall(this, m_metatable, val, valmt); - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaThread.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaThread.java deleted file mode 100644 index 2ff24265e..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaThread.java +++ /dev/null @@ -1,433 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2007-2012 LuaJ. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - - -/* DAN200 START */ -import java.lang.ref.WeakReference; -import java.util.Enumeration; -import java.util.Vector; -/* DAN200 END */ - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.DebugLib; - -/** - * Subclass of {@link LuaValue} that implements - * a lua coroutine thread using Java Threads. - *

- * A LuaThread is typically created in response to a scripted call to - * {@code coroutine.create()} - *

- * The threads must be initialized with the globals, so that - * the global environment may be passed along according to rules of lua. - * This is done via a call to {@link #setGlobals(LuaValue)} - * at some point during globals initialization. - * See {@link BaseLib} for additional documentation and example code. - *

- * The utility classes {@link JsePlatform} and {@link JmePlatform} - * see to it that this initialization is done properly. - * For this reason it is highly recommended to use one of these classes - * when initializing globals. - *

- * The behavior of coroutine threads matches closely the behavior - * of C coroutine library. However, because of the use of Java threads - * to manage call state, it is possible to yield from anywhere in luaj. - *

- * Each Java thread wakes up at regular intervals and checks a weak reference - * to determine if it can ever be resumed. If not, it throws - * {@link OrphanedThread} which is an {@link java.lang.Error}. - * Applications should not catch {@link OrphanedThread}, because it can break - * the thread safety of luaj. - * - * @see LuaValue - * @see JsePlatform - * @see JmePlatform - * @see CoroutineLib - */ -public class LuaThread extends LuaValue { - - public static LuaValue s_metatable; - - public static int coroutine_count = 0; - - /** Interval at which to check for lua threads that are no longer referenced. - * This can be changed by Java startup code if desired. - */ - static long thread_orphan_check_interval = 30000; - - private static final int STATUS_INITIAL = 0; - private static final int STATUS_SUSPENDED = 1; - private static final int STATUS_RUNNING = 2; - private static final int STATUS_NORMAL = 3; - private static final int STATUS_DEAD = 4; - private static final String[] STATUS_NAMES = { - "suspended", - "suspended", - "running", - "normal", - "dead",}; - - private LuaValue env; - private final State state; - - /** Field to hold state of error condition during debug hook function calls. */ - public LuaValue err; - - final CallStack callstack = new CallStack(); - - public static final int MAX_CALLSTACK = 256; - - private static final LuaThread main_thread = new LuaThread(); - - // state of running thread including call stack - private static LuaThread running_thread = main_thread; - - /** Interval to check for LuaThread dereferencing. */ - public static int GC_INTERVAL = 30000; - - /** Thread-local used by DebugLib to store debugging state. */ - public Object debugState; - - /* DAN200 START */ - private Vector children = new Vector(); - /* DAN200 END */ - - /** Private constructor for main thread only */ - private LuaThread() { - state = new State(this, null); - state.status = STATUS_RUNNING; - } - - /** - * Create a LuaThread around a function and environment - * @param func The function to execute - * @param env The environment to apply to the thread - */ - public LuaThread(LuaValue func, LuaValue env) { - LuaValue.assert_(func != null, "function cannot be null"); - this.env = env; - state = new State(this, func); - } - - public int type() { - return LuaValue.TTHREAD; - } - - public String typename() { - return "thread"; - } - - public boolean isthread() { - return true; - } - - public LuaThread optthread(LuaThread defval) { - return this; - } - - public LuaThread checkthread() { - return this; - } - - public LuaValue getmetatable() { - return s_metatable; - } - - public LuaValue getfenv() { - return env; - } - - public void setfenv(LuaValue env) { - this.env = env; - } - - public String getStatus() { - return STATUS_NAMES[state.status]; - } - - /** - * Get the currently running thread. - * @return {@link LuaThread} that is currenly running - */ - public static LuaThread getRunning() { - return running_thread; - } - - /** - * Test if this is the main thread - * @return true if this is the main thread - */ - public static boolean isMainThread(LuaThread r) { - return r == main_thread; - } - - /** - * Set the globals of the current thread. - *

- * This must be done once before any other code executes. - * @param globals The global variables for the main ghread. - */ - public static void setGlobals(LuaValue globals) { - running_thread.env = globals; - } - - /** Get the current thread's environment - * @return {@link LuaValue} containing the global variables of the current thread. - */ - public static LuaValue getGlobals() { - LuaValue e = running_thread.env; - return e!=null? e: LuaValue.error("LuaThread.setGlobals() not initialized"); - } - - /** - * Callback used at the beginning of a call to prepare for possible getfenv/setfenv calls - * @param function Function being called - * @return CallStack which is used to signal the return or a tail-call recursion - * @see DebugLib - */ - public static final CallStack onCall(LuaFunction function) { - CallStack cs = running_thread.callstack; - cs.onCall(function); - return cs; - } - - /** - * Get the function called as a specific location on the stack. - * @param level 1 for the function calling this one, 2 for the next one. - * @return LuaFunction on the call stack, or null if outside of range of active stack - */ - public static final LuaFunction getCallstackFunction(int level) { - return running_thread.callstack.getFunction(level); - } - - /** - * Replace the error function of the currently running thread. - * @param errfunc the new error function to use. - * @return the previous error function. - */ - public static LuaValue setErrorFunc(LuaValue errfunc) { - LuaValue prev = running_thread.err; - running_thread.err = errfunc; - return prev; - } - - /** Yield the current thread with arguments - * - * @param args The arguments to send as return values to {@link #resume(Varargs)} - * @return {@link Varargs} provided as arguments to {@link #resume(Varargs)} - */ - public static Varargs yield(Varargs args) { - State s = running_thread.state; - if (s.function == null) - throw new LuaError("cannot yield main thread"); - return s.lua_yield(args); - } - - /** Start or resume this thread - * - * @param args The arguments to send as return values to {@link #yield(Varargs)} - * @return {@link Varargs} provided as arguments to {@link #yield(Varargs)} - */ - public Varargs resume(Varargs args) { - if (this.state.status > STATUS_SUSPENDED) - return LuaValue.varargsOf(LuaValue.FALSE, - LuaValue.valueOf("cannot resume "+LuaThread.STATUS_NAMES[this.state.status]+" coroutine")); - return state.lua_resume(this, args); - } - - /* DAN200 START */ - public void addChild( LuaThread thread ) { - this.children.addElement( new WeakReference( thread ) ); - } - - public Varargs abandon() { - if( this.state.status > STATUS_SUSPENDED ) { - return LuaValue.varargsOf( LuaValue.FALSE, LuaValue.valueOf( "cannot abandon " + STATUS_NAMES[this.state.status] + " coroutine" ) ); - } else { - this.state.lua_abandon( this ); - - Enumeration it = this.children.elements(); - while( it.hasMoreElements() ) { - WeakReference ref = (WeakReference)it.nextElement(); - LuaThread thread = (LuaThread)ref.get(); - if(thread != null && !thread.getStatus().equals("dead")) { - thread.abandon(); - } - } - - this.children.removeAllElements(); - return LuaValue.varargsOf( new LuaValue[] { LuaValue.TRUE } ); - } - } - /* DAN200 END */ - - static class State implements Runnable { - final WeakReference lua_thread; - final LuaValue function; - Varargs args = LuaValue.NONE; - Varargs result = LuaValue.NONE; - String error = null; - int status = LuaThread.STATUS_INITIAL; - /* DAN200 START */ - boolean abandoned = false; - /* DAN200 END */ - - State(LuaThread lua_thread, LuaValue function) { - this.lua_thread = new WeakReference(lua_thread); - this.function = function; - } - - public synchronized void run() { - try { - Varargs a = this.args; - this.args = LuaValue.NONE; - this.result = function.invoke(a); - } catch (Throwable t) { - this.error = t.getMessage(); - } finally { - this.status = LuaThread.STATUS_DEAD; - this.notify(); - } - } - - synchronized Varargs lua_resume(LuaThread new_thread, Varargs args) { - LuaThread previous_thread = LuaThread.running_thread; - try { - LuaThread.running_thread = new_thread; - this.args = args; - if (this.status == STATUS_INITIAL) { - this.status = STATUS_RUNNING; - new Thread(this, "Coroutine-"+(++coroutine_count)).start(); - } else { - this.notify(); - } - previous_thread.state.status = STATUS_NORMAL; - this.status = STATUS_RUNNING; - this.wait(); - return (this.error != null? - LuaValue.varargsOf(LuaValue.FALSE, LuaValue.valueOf(this.error)): - LuaValue.varargsOf(LuaValue.TRUE, this.result)); - } catch (InterruptedException ie) { - throw new OrphanedThread(); - } finally { - running_thread = previous_thread; - running_thread.state.status =STATUS_RUNNING; - this.args = LuaValue.NONE; - this.result = LuaValue.NONE; - this.error = null; - } - } - - synchronized Varargs lua_yield(Varargs args) { - try { - this.result = args; - this.status = STATUS_SUSPENDED; - this.notify(); - do { - this.wait(thread_orphan_check_interval); - /* DAN200 START */ - //if (this.lua_thread.get() == null) { - if( this.abandoned || this.lua_thread.get() == null ) { - /* DAN200 END */ - this.status = STATUS_DEAD; - throw new OrphanedThread(); - } - } while (this.status == STATUS_SUSPENDED); - return this.args; - } catch (InterruptedException ie) { - this.status = STATUS_DEAD; - throw new OrphanedThread(); - } finally { - this.args = LuaValue.NONE; - this.result = LuaValue.NONE; - } - } - - /* DAN200 START */ - synchronized void lua_abandon(LuaThread thread) { - LuaThread current = LuaThread.running_thread; - - try { - current.state.status = STATUS_NORMAL; - this.abandoned = true; - if(this.status == STATUS_INITIAL) { - this.status = STATUS_DEAD; - } else { - this.notify(); - this.wait(); - } - } catch (InterruptedException var7) { - this.status = STATUS_DEAD; - } finally { - current.state.status = STATUS_RUNNING; - this.args = LuaValue.NONE; - this.result = LuaValue.NONE; - this.error = null; - } - } - /* DAN200 END */ - } - - public static class CallStack { - final LuaFunction[] functions = new LuaFunction[MAX_CALLSTACK]; - int calls = 0; - - /** - * Method to indicate the start of a call - * @see DebugLib - */ - final void onCall(LuaFunction function) { - functions[calls++] = function; - if (DebugLib.DEBUG_ENABLED) - DebugLib.debugOnCall(running_thread, calls, function); - } - - /** - * Method to signal the end of a call - * @see DebugLib - */ - public final void onReturn() { - functions[--calls] = null; - if (DebugLib.DEBUG_ENABLED) - DebugLib.debugOnReturn(running_thread, calls); - } - - /** - * Get number of calls in stack - * @return number of calls in current call stack - * @see DebugLib - */ - public final int getCallstackDepth() { - return calls; - } - - /** - * Get the function at a particular level of the stack. - * @param level # of levels back from the top of the stack. - * @return LuaFunction, or null if beyond the stack limits. - */ - LuaFunction getFunction(int level) { - return level>0 && level<=calls? functions[calls-level]: null; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaUserdata.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaUserdata.java deleted file mode 100644 index cf2b7b287..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaUserdata.java +++ /dev/null @@ -1,126 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - - -public class LuaUserdata extends LuaValue { - - public final Object m_instance; - public LuaValue m_metatable; - - public LuaUserdata(Object obj) { - m_instance = obj; - } - - public LuaUserdata(Object obj, LuaValue metatable) { - m_instance = obj; - m_metatable = metatable; - } - - public String tojstring() { - return String.valueOf(m_instance); - } - - public int type() { - return LuaValue.TUSERDATA; - } - - public String typename() { - return "userdata"; - } - - public int hashCode() { - return m_instance.hashCode(); - } - - public Object userdata() { - return m_instance; - } - - public boolean isuserdata() { return true; } - public boolean isuserdata(Class c) { return c.isAssignableFrom(m_instance.getClass()); } - public Object touserdata() { return m_instance; } - public Object touserdata(Class c) { return c.isAssignableFrom(m_instance.getClass())? m_instance: null; } - public Object optuserdata(Object defval) { return m_instance; } - public Object optuserdata(Class c, Object defval) { - if (!c.isAssignableFrom(m_instance.getClass())) - typerror(c.getName()); - return m_instance; - } - - public LuaValue getmetatable() { - return m_metatable; - } - - public LuaValue setmetatable(LuaValue metatable) { - this.m_metatable = metatable; - return this; - } - - public Object checkuserdata() { - return m_instance; - } - - public Object checkuserdata(Class c) { - if ( c.isAssignableFrom(m_instance.getClass()) ) - return m_instance; - return typerror(c.getName()); - } - - public LuaValue get( LuaValue key ) { - return m_metatable!=null? gettable(this,key): NIL; - } - - public void set( LuaValue key, LuaValue value ) { - if ( m_metatable==null || ! settable(this,key,value) ) - error( "cannot set "+key+" for userdata" ); - } - - public boolean equals( Object val ) { - if ( this == val ) - return true; - if ( ! (val instanceof LuaUserdata) ) - return false; - LuaUserdata u = (LuaUserdata) val; - return m_instance.equals(u.m_instance); - } - - // equality w/ metatable processing - public LuaValue eq( LuaValue val ) { return eq_b(val)? TRUE: FALSE; } - public boolean eq_b( LuaValue val ) { - if ( val.raweq(this) ) return true; - if ( m_metatable == null || !val.isuserdata() ) return false; - LuaValue valmt = val.getmetatable(); - return valmt!=null && LuaValue.eqmtcall(this, m_metatable, val, valmt); - } - - // equality w/o metatable processing - public boolean raweq( LuaValue val ) { return val.raweq(this); } - public boolean raweq( LuaUserdata val ) { - return this == val || (m_metatable == val.m_metatable && m_instance.equals(val.m_instance)); - } - - // __eq metatag processing - public boolean eqmt( LuaValue val ) { - return m_metatable!=null && val.isuserdata()? LuaValue.eqmtcall(this, m_metatable, val, val.getmetatable()): false; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/LuaValue.java b/luaj-2.0.3/src/core/org/luaj/vm2/LuaValue.java deleted file mode 100644 index 76907b754..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/LuaValue.java +++ /dev/null @@ -1,3648 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - - -/** - * Base class for all concrete lua type values. - *

- * Establishes base implementations for all the operations on lua types. - * This allows Java clients to deal essentially with one type for all Java values, namely {@link LuaValue}. - *

- * Constructors are provided as static methods for common Java types, such as - * {@link LuaValue#valueOf(int)} or {@link LuaValue#valueOf(String)} - * to allow for instance pooling. - *

- * Constants are defined for the lua values - * {@link #NIL}, {@link #TRUE}, and {@link #FALSE}. - * A constant {@link #NONE} is defined which is a {@link Varargs} list having no values. - *

- * Operations are performed on values directly via their Java methods. - * For example, the following code divides two numbers: - *

 {@code
- * LuaValue a = LuaValue.valueOf( 5 );
- * LuaValue b = LuaValue.valueOf( 4 );
- * LuaValue c = a.div(b);
- * } 
- * Note that in this example, c will be a {@link LuaDouble}, but would be a {@link LuaInteger} - * if the value of a were changed to 8, say. - * In general the value of c in practice will vary depending on both the types and values of a and b - * as well as any metatable/metatag processing that occurs. - *

- * Field access and function calls are similar, with common overloads to simplify Java usage: - *

 {@code
- * LuaValue globals = JsePlatform.standardGlobals();
- * LuaValue sqrt = globals.get("math").get("sqrt");
- * LuaValue print = globals.get("print");
- * LuaValue d = sqrt.call( a );
- * print.call( LuaValue.valueOf("sqrt(5):"), a );
- * } 
- *

- * To supply variable arguments or get multiple return values, use - * {@link invoke(Varargs)} or {@link invokemethod(LuaValue, Varargs)} methods: - *

 {@code
- * LuaValue modf = globals.get("math").get("modf");
- * Varargs r = modf.invoke( d );
- * print.call( r.arg(1), r.arg(2) );
- * } 
- *

- * To load and run a script, {@link LoadState} is used: - *

 {@code
- * LoadState.load( new FileInputStream("main.lua"), "main.lua", globals ).call();
- * } 
- *

- * although {@code require} could also be used: - *

 {@code
- * globals.get("require").call(LuaValue.valueOf("main"));
- * } 
- * For this to work the file must be in the current directory, or in the class path, - * dependening on the platform. - * See {@link JsePlatform} and {@link JmePlatform} for details. - *

- * In general a {@link LuaError} may be thrown on any operation when the - * types supplied to any operation are illegal from a lua perspective. - * Examples could be attempting to concatenate a NIL value, or attempting arithmetic - * on values that are not number. - *

- * There are several methods for preinitializing tables, such as: - *

    - *
  • {@link #listOf(LuaValue[])} for unnamed elements
  • - *
  • {@link #tableOf(LuaValue[])} for named elements
  • - *
  • {@link #tableOf(LuaValue[], LuaValue[], Varargs)} for mixtures
  • - *
- *

- * Predefined constants exist for the standard lua type constants - * {@link TNIL}, {@link TBOOLEAN}, {@link TLIGHTUSERDATA}, {@link TNUMBER}, {@link TSTRING}, - * {@link TTABLE}, {@link TFUNCTION}, {@link TUSERDATA}, {@link TTHREAD}, - * and extended lua type constants - * {@link TINT}, {@link TNONE}, {@link TVALUE} - *

- * Predefined constants exist for all strings used as metatags: - * {@link INDEX}, {@link NEWINDEX}, {@link CALL}, {@link MODE}, {@link METATABLE}, - * {@link ADD}, {@link SUB}, {@link DIV}, {@link MUL}, {@link POW}, - * {@link MOD}, {@link UNM}, {@link LEN}, {@link EQ}, {@link LT}, - * {@link LE}, {@link TOSTRING}, and {@link CONCAT}. - * - * @see JsePlatform - * @see JmePlatform - * @see LoadState - * @see Varargs - */ -abstract -public class LuaValue extends Varargs { - - - /** Type enumeration constant for lua numbers that are ints, for compatibility with lua 5.1 number patch only */ - public static final int TINT = (-2); - - /** Type enumeration constant for lua values that have no type, for example weak table entries */ - public static final int TNONE = (-1); - - /** Type enumeration constant for lua nil */ - public static final int TNIL = 0; - - /** Type enumeration constant for lua booleans */ - public static final int TBOOLEAN = 1; - - /** Type enumeration constant for lua light userdata, for compatibility with C-based lua only */ - public static final int TLIGHTUSERDATA = 2; - - /** Type enumeration constant for lua numbers */ - public static final int TNUMBER = 3; - - /** Type enumeration constant for lua strings */ - public static final int TSTRING = 4; - - /** Type enumeration constant for lua tables */ - public static final int TTABLE = 5; - - /** Type enumeration constant for lua functions */ - public static final int TFUNCTION = 6; - - /** Type enumeration constant for lua userdatas */ - public static final int TUSERDATA = 7; - - /** Type enumeration constant for lua threads */ - public static final int TTHREAD = 8; - - /** Type enumeration constant for unknown values, for compatibility with C-based lua only */ - public static final int TVALUE = 9; - - /** String array constant containing names of each of the lua value types - * @see #type() - * @see #typename() - */ - public static final String[] TYPE_NAMES = { - "nil", - "boolean", - "lightuserdata", - "number", - "string", - "table", - "function", - "userdata", - "thread", - "value", - }; - - /** LuaValue constant corresponding to lua {@code nil} */ - public static final LuaValue NIL = LuaNil._NIL; - - /** LuaBoolean constant corresponding to lua {@code true} */ - public static final LuaBoolean TRUE = LuaBoolean._TRUE; - - /** LuaBoolean constant corresponding to lua {@code false} */ - public static final LuaBoolean FALSE = LuaBoolean._FALSE; - - /** LuaValue constant corresponding to a {@link Varargs} list of no values */ - public static final LuaValue NONE = None._NONE; - - /** LuaValue number constant equal to 0 */ - public static final LuaNumber ZERO = LuaInteger.valueOf(0); - - /** LuaValue number constant equal to 1 */ - public static final LuaNumber ONE = LuaInteger.valueOf(1); - - /** LuaValue number constant equal to -1 */ - public static final LuaNumber MINUSONE = LuaInteger.valueOf(-1); - - /** LuaValue array constant with no values */ - public static final LuaValue[] NOVALS = {}; - - - /** LuaString constant with value "__index" for use as metatag */ - public static final LuaString INDEX = valueOf("__index"); - - /** LuaString constant with value "__newindex" for use as metatag */ - public static final LuaString NEWINDEX = valueOf("__newindex"); - - /** LuaString constant with value "__call" for use as metatag */ - public static final LuaString CALL = valueOf("__call"); - - /** LuaString constant with value "__mode" for use as metatag */ - public static final LuaString MODE = valueOf("__mode"); - - /** LuaString constant with value "__metatable" for use as metatag */ - public static final LuaString METATABLE = valueOf("__metatable"); - - /** LuaString constant with value "__add" for use as metatag */ - public static final LuaString ADD = valueOf("__add"); - - /** LuaString constant with value "__sub" for use as metatag */ - public static final LuaString SUB = valueOf("__sub"); - - /** LuaString constant with value "__div" for use as metatag */ - public static final LuaString DIV = valueOf("__div"); - - /** LuaString constant with value "__mul" for use as metatag */ - public static final LuaString MUL = valueOf("__mul"); - - /** LuaString constant with value "__pow" for use as metatag */ - public static final LuaString POW = valueOf("__pow"); - - /** LuaString constant with value "__mod" for use as metatag */ - public static final LuaString MOD = valueOf("__mod"); - - /** LuaString constant with value "__unm" for use as metatag */ - public static final LuaString UNM = valueOf("__unm"); - - /** LuaString constant with value "__len" for use as metatag */ - public static final LuaString LEN = valueOf("__len"); - - /** LuaString constant with value "__eq" for use as metatag */ - public static final LuaString EQ = valueOf("__eq"); - - /** LuaString constant with value "__lt" for use as metatag */ - public static final LuaString LT = valueOf("__lt"); - - /** LuaString constant with value "__le" for use as metatag */ - public static final LuaString LE = valueOf("__le"); - - /** LuaString constant with value "__tostring" for use as metatag */ - public static final LuaString TOSTRING = valueOf("__tostring"); - - /** LuaString constant with value "__concat" for use as metatag */ - public static final LuaString CONCAT = valueOf("__concat"); - - /** LuaString constant with value "" */ - public static final LuaString EMPTYSTRING = valueOf(""); - - /** Limit on lua stack size */ - private static int MAXSTACK = 250; - - /** Array of {@link NIL} values to optimize filling stacks using System.arraycopy(). - * Must not be modified. - */ - public static final LuaValue[] NILS = new LuaValue[MAXSTACK]; - static { - for ( int i=0; i - * - * @return name from type name list {@link #TYPE_NAMES} - * corresponding to the type of this value: - * "nil", "boolean", "number", "string", - * "table", "function", "userdata", "thread" - * @see #type() - */ - abstract public String typename(); - - /** Check if {@code this} is a {@code boolean} - * @return true if this is a {@code boolean}, otherwise false - * @see #isboolean() - * @see #toboolean() - * @see #checkboolean() - * @see #optboolean(boolean) - * @see #TOBOLEAN - */ - public boolean isboolean() { return false; } - - /** Check if {@code this} is a {@code function} that is a closure, - * meaning interprets lua bytecode for its execution - * @return true if this is a {@code closure}, otherwise false - * @see #isfunction() - * @see #checkclosure() - * @see #optclosure(LuaClosure) - * @see #TFUNCTION - */ - public boolean isclosure() { return false; } - - /** Check if {@code this} is a {@code function} - * @return true if this is a {@code function}, otherwise false - * @see #isclosure() - * @see #checkfunction() - * @see #optfunciton(LuaFunction) - * @see #TFUNCTION - */ - public boolean isfunction() { return false; } - - /** Check if {@code this} is a {@code number} and is representable by java int - * without rounding or truncation - * @return true if this is a {@code number} - * meaning derives from {@link LuaNumber} - * or derives from {@link LuaString} and is convertible to a number, - * and can be represented by int, - * otherwise false - * @see #isinttype() - * @see #islong() - * @see #tonumber() - * @see #checkint() - * @see #optint(int) - * @see #TNUMBER - */ - public boolean isint() { return false; } - - /** Check if {@code this} is a {@link LuaInteger} - *

- * No attempt to convert from string will be made by this call. - * @return true if this is a {@code LuaInteger}, - * otherwise false - * @see #isint() - * @see #isnumber() - * @see #tonumber() - * @see #TNUMBER - */ - public boolean isinttype() { return false; } - - /** Check if {@code this} is a {@code number} and is representable by java long - * without rounding or truncation - * @return true if this is a {@code number} - * meaning derives from {@link LuaNumber} - * or derives from {@link LuaString} and is convertible to a number, - * and can be represented by long, - * otherwise false - * @see #tonumber() - * @see #checklong() - * @see #optlong(long) - * @see #TNUMBER - */ - public boolean islong() { return false; } - - /** Check if {@code this} is {@code nil} - * @return true if this is {@code nil}, otherwise false - * @see #NIL - * @see #NONE - * @see #checknotnil() - * @see #optvalue(LuaValue) - * @see Varargs#isnoneornil(int) - * @see #TNIL - * @see #TNONE - */ - public boolean isnil() { return false; } - - /** Check if {@code this} is a {@code number} - * @return true if this is a {@code number}, - * meaning derives from {@link LuaNumber} - * or derives from {@link LuaString} and is convertible to a number, - * otherwise false - * @see #tonumber() - * @see #checknumber() - * @see #optnumber(LuaNumber) - * @see #TNUMBER - */ - public boolean isnumber() { return false; } // may convert from string - - /** Check if {@code this} is a {@code string} - * @return true if this is a {@code string}, - * meaning derives from {@link LuaString} or {@link LuaNumber}, - * otherwise false - * @see #tostring() - * @see #checkstring() - * @see #optstring(LuaString) - * @see #TSTRING - */ - public boolean isstring() { return false; } - - /** Check if {@code this} is a {@code thread} - * @return true if this is a {@code thread}, otherwise false - * @see #checkthread() - * @see #optthread(LuaThread) - * @see #TTHREAD - */ - public boolean isthread() { return false; } - - /** Check if {@code this} is a {@code table} - * @return true if this is a {@code table}, otherwise false - * @see #checktable() - * @see #opttable(LuaTable) - * @see #TTABLE - */ - public boolean istable() { return false; } - - /** Check if {@code this} is a {@code userdata} - * @return true if this is a {@code userdata}, otherwise false - * @see #isuserdata(Class) - * @see #touserdata() - * @see #checkuserdata() - * @see #optuserdata(Object) - * @see #TUSERDATA - */ - public boolean isuserdata() { return false; } - - /** Check if {@code this} is a {@code userdata} of type {@code c} - * @param c Class to test instance against - * @return true if this is a {@code userdata} - * and the instance is assignable to {@code c}, - * otherwise false - * @see #isuserdata() - * @see #touserdata(Class) - * @see #checkuserdata(Class) - * @see #optuserdata(Object,Class) - * @see #TUSERDATA - */ - public boolean isuserdata(Class c) { return false; } - - /** Convert to boolean false if {@link #NIL} or {@link FALSE}, true if anything else - * @return Value cast to byte if number or string convertible to number, otherwise 0 - * @see #optboolean(boolean) - * @see #checkboolean() - * @see #isboolean() - * @see TBOOLEAN - */ - public boolean toboolean() { return true; } - - /** Convert to byte if numeric, or 0 if not. - * @return Value cast to byte if number or string convertible to number, otherwise 0 - * @see #toint() - * @see #todouble() - * @see #optbyte(byte) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public byte tobyte() { return 0; } - - /** Convert to char if numeric, or 0 if not. - * @return Value cast to char if number or string convertible to number, otherwise 0 - * @see #toint() - * @see #todouble() - * @see #optchar(char) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public char tochar() { return 0; } - - /** Convert to double if numeric, or 0 if not. - * @return Value cast to double if number or string convertible to number, otherwise 0 - * @see #toint() - * @see #tobyte() - * @see #tochar() - * @see #toshort() - * @see #tolong() - * @see #tofloat() - * @see #optdouble(double) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public double todouble() { return 0; } - - /** Convert to float if numeric, or 0 if not. - * @return Value cast to float if number or string convertible to number, otherwise 0 - * @see #toint() - * @see #todouble() - * @see #optfloat(float) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public float tofloat() { return 0; } - - /** Convert to int if numeric, or 0 if not. - * @return Value cast to int if number or string convertible to number, otherwise 0 - * @see #tobyte() - * @see #tochar() - * @see #toshort() - * @see #tolong() - * @see #tofloat() - * @see #todouble() - * @see #optint(int) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public int toint() { return 0; } - - /** Convert to long if numeric, or 0 if not. - * @return Value cast to long if number or string convertible to number, otherwise 0 - * @see #isint() - * @see #isinttype() - * @see #toint() - * @see #todouble() - * @see #optlong(long) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public long tolong() { return 0; } - - /** Convert to short if numeric, or 0 if not. - * @return Value cast to short if number or string convertible to number, otherwise 0 - * @see #toint() - * @see #todouble() - * @see #optshort(short) - * @see #checknumber() - * @see #isnumber() - * @see TNUMBER - */ - public short toshort() { return 0; } - - /** Convert to human readable String for any type. - * @return String for use by human readers based on type. - * @see #tostring() - * @see #optjstring(String) - * @see #checkjstring() - * @see #isstring() - * @see TSTRING - */ - public String tojstring() { return typename() + ": " + Integer.toHexString(hashCode()); } - - /** Convert to userdata instance, or null. - * @return userdata instance if userdata, or null if not {@link LuaUserdata} - * @see #optuserdata(Object) - * @see #checkuserdata() - * @see #isuserdata() - * @see #TUSERDATA - */ - public Object touserdata() { return null; } - - /** Convert to userdata instance if specific type, or null. - * @return userdata instance if is a userdata whose instance derives from {@code c}, - * or null if not {@link LuaUserdata} - * @see #optuserdata(Class,Object) - * @see #checkuserdata(Class) - * @see #isuserdata(Class) - * @see #TUSERDATA - */ - public Object touserdata(Class c) { return null; } - - /** - * Convert the value to a human readable string using {@link #tojstring()} - * @return String value intended to be human readible. - * @see #tostring() - * @see #tojstring() - * @see #optstring(LuaString) - * @see #checkstring() - * @see #toString() - */ - public String toString() { return tojstring(); } - - /** Conditionally convert to lua number without throwing errors. - *

- * In lua all numbers are strings, but not all strings are numbers. - * This function will return - * the {@link LuaValue} {@code this} if it is a number - * or a string convertible to a number, - * and {@link NIL} for all other cases. - *

- * This allows values to be tested for their "numeric-ness" without - * the penalty of throwing exceptions, - * nor the cost of converting the type and creating storage for it. - * @return {@code this} if it is a {@link LuaNumber} - * or {@link LuaString} that can be converted to a number, - * otherwise {@link #NIL} - * @see #tostring() - * @see #optnumber(LuaNumber) - * @see #checknumber() - * @see #toint() - * @see #todouble() - */ - public LuaValue tonumber() { return NIL; } - - /** Conditionally convert to lua string without throwing errors. - *

- * In lua all numbers are strings, so this function will return - * the {@link LuaValue} {@code this} if it is a string or number, - * and {@link NIL} for all other cases. - *

- * This allows values to be tested for their "string-ness" without - * the penalty of throwing exceptions. - * @return {@code this} if it is a {@link LuaString} or {@link LuaNumber}, - * otherwise {@link NIL} - * @see #tonumber() - * @see #tojstring() - * @see #optstring(LuaString) - * @see #checkstring() - * @see #toString() - */ - public LuaValue tostring() { return NIL; } - - /** Check that optional argument is a boolean and return its boolean value - * @param defval boolean value to return if {@code this} is nil or none - * @return {@code this} cast to boolean if a {@LuaBoolean}, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not a boolean or nil or none. - * @see #checkboolean() - * @see #isboolean() - * @see #TBOOLEAN - */ - public boolean optboolean(boolean defval) { argerror("boolean"); return false; } - - /** Check that optional argument is a closure and return as {@link LuaClosure} - *

- * A {@link LuaClosure} is a {@LuaFunction} that executes lua byteccode. - * @param defval {@link LuaClosure} to return if {@code this} is nil or none - * @return {@code this} cast to {@link LuaClosure} if a function, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not a closure or nil or none. - * @see #checkclosure() - * @see #isclosure() - * @see #TFUNCTION - */ - public LuaClosure optclosure(LuaClosure defval) { argerror("closure"); return null; } - - /** Check that optional argument is a number or string convertible to number and return as double - * @param defval double to return if {@code this} is nil or none - * @return {@code this} cast to double if numeric, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not numeric or nil or none. - * @see #optint(int) - * @see #optinteger(LuaInteger) - * @see #checkdouble() - * @see #todouble() - * @see #tonumber() - * @see #isnumber() - * @see #TNUMBER - */ - public double optdouble(double defval) { argerror("double"); return 0; } - - /** Check that optional argument is a function and return as {@link LuaFunction} - *

- * A {@link LuaFunction} may either be a Java function that implements - * functionality directly in Java, - * or a {@link LuaClosure} - * which is a {@link LuaFunction} that executes lua bytecode. - * @param defval {@link LuaFunction} to return if {@code this} is nil or none - * @return {@code this} cast to {@link LuaFunction} if a function, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not a function or nil or none. - * @see #checkfunction() - * @see #isfunction() - * @see #TFUNCTION - */ - public LuaFunction optfunction(LuaFunction defval) { argerror("function"); return null; } - - /** Check that optional argument is a number or string convertible to number and return as int - * @param defval int to return if {@code this} is nil or none - * @return {@code this} cast to int if numeric, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not numeric or nil or none. - * @see #optdouble(double) - * @see #optlong(long) - * @see #optinteger(LuaInteger) - * @see #checkint() - * @see #toint() - * @see #tonumber() - * @see #isnumber() - * @see #TNUMBER - */ - public int optint(int defval) { argerror("int"); return 0; } - - /** Check that optional argument is a number or string convertible to number and return as {@link LuaInteger} - * @param defval {@link LuaInteger} to return if {@code this} is nil or none - * @return {@code this} converted and wrapped in {@link LuaInteger} if numeric, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not numeric or nil or none. - * @see #optdouble(double) - * @see #optint(int) - * @see #checkint() - * @see #toint() - * @see #tonumber() - * @see #isnumber() - * @see #TNUMBER - */ - public LuaInteger optinteger(LuaInteger defval) { argerror("integer"); return null; } - - /** Check that optional argument is a number or string convertible to number and return as long - * @param defval long to return if {@code this} is nil or none - * @return {@code this} cast to long if numeric, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not numeric or nil or none. - * @see #optdouble(double) - * @see #optint(int) - * @see #checkint() - * @see #toint() - * @see #tonumber() - * @see #isnumber() - * @see #TNUMBER - */ - public long optlong(long defval) { argerror("long"); return 0; } - - /** Check that optional argument is a number or string convertible to number and return as {@link LuaNumber} - * @param defval {@link LuaNumber} to return if {@code this} is nil or none - * @return {@code this} cast to {@link LuaNumber} if numeric, - * {@code defval} if nil or none, - * throws {@link LuaError} otherwise - * @throws LuaError if was not numeric or nil or none. - * @see #optdouble(double) - * @see #optlong(long) - * @see #optint(int) - * @see #checkint() - * @see #toint() - * @see #tonumber() - * @see #isnumber() - * @see #TNUMBER - */ - public LuaNumber optnumber(LuaNumber defval) { argerror("number"); return null; } - - /** Check that optional argument is a string or number and return as Java String - * @param defval {@link LuaString} to return if {@code this} is nil or none - * @return {@code this} converted to String if a string or number, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a string or number or nil or none. - * @see #tojstring() - * @see #optstring(LuaString) - * @see #checkjstring() - * @see #toString() - * @see #TSTRING - */ - public String optjstring(String defval) { argerror("String"); return null; } - - /** Check that optional argument is a string or number and return as {@link LuaString} - * @param defval {@link LuaString} to return if {@code this} is nil or none - * @return {@code this} converted to {@link LuaString} if a string or number, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a string or number or nil or none. - * @see #tojstring() - * @see #optjstring(String) - * @see #checkstring() - * @see #toString() - * @see #TSTRING - */ - public LuaString optstring(LuaString defval) { argerror("string"); return null; } - - /** Check that optional argument is a table and return as {@link LuaTable} - * @param defval {@link LuaTable} to return if {@code this} is nil or none - * @return {@code this} cast to {@link LuaTable} if a table, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a table or nil or none. - * @see #checktable() - * @see #istable() - * @see #TTABLE - */ - public LuaTable opttable(LuaTable defval) { argerror("table"); return null; } - - /** Check that optional argument is a thread and return as {@link LuaThread} - * @param defval {@link LuaThread} to return if {@code this} is nil or none - * @return {@code this} cast to {@link LuaTable} if a thread, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a thread or nil or none. - * @see #checkthread() - * @see #isthread() - * @see #TTHREAD - */ - public LuaThread optthread(LuaThread defval) { argerror("thread"); return null; } - - /** Check that optional argument is a userdata and return the Object instance - * @param defval Object to return if {@code this} is nil or none - * @return Object instance of the userdata if a {@link LuaUserdata}, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a userdata or nil or none. - * @see #checkuserdata() - * @see #isuserdata() - * @see #optuserdata(Class, Object) - * @see #TUSERDATA - */ - public Object optuserdata(Object defval) { argerror("object"); return null; } - - /** Check that optional argument is a userdata whose instance is of a type - * and return the Object instance - * @param c Class to test userdata instance against - * @param defval Object to return if {@code this} is nil or none - * @return Object instance of the userdata if a {@link LuaUserdata} and instance is assignable to {@code c}, - * {@code defval} if nil or none, - * throws {@link LuaError} if some other type - * @throws LuaError if was not a userdata whose instance is assignable to {@code c} or nil or none. - * @see #checkuserdata(Class) - * @see #isuserdata(Class) - * @see #optuserdata(Object) - * @see #TUSERDATA - */ - public Object optuserdata(Class c, Object defval) { argerror(c.getName()); return null; } - - /** Perform argument check that this is not nil or none. - * @param defval {@link LuaValue} to return if {@code this} is nil or none - * @return {@code this} if not nil or none, else {@code defval} - * @see #NIL - * @see #NONE - * @see #isnil() - * @see Varargs#isnoneornil(int) - * @see #TNIL - * @see #TNONE - */ - public LuaValue optvalue(LuaValue defval) { return this; } - - - /** Check that the value is a {@link LuaBoolean}, - * or throw {@link LuaError} if not - * @return boolean value for {@code this} if it is a {@link LuaBoolean} - * @throws LuaError if not a {@link LuaBoolean} - * @see #optboolean(boolean) - * @see #TBOOLEAN - */ - public boolean checkboolean() { argerror("boolean"); return false; } - - /** Check that the value is a {@link LuaClosure} , - * or throw {@link LuaError} if not - *

- * {@link LuaClosure} is a subclass of {@LuaFunction} that interprets lua bytecode. - * @return {@code this} cast as {@link LuaClosure} - * @throws LuaError if not a {@link LuaClosure} - * @see #checkfunction() - * @see #optclosure(LuaClosure) - * @see #isclosure() - * @see #TFUNCTION - */ - public LuaClosure checkclosure() { argerror("closure"); return null; } - - /** Check that the value is numeric and return the value as a double, - * or throw {@link LuaError} if not numeric - *

- * Values that are {@link LuaNumber} and values that are {@link LuaString} - * that can be converted to a number will be converted to double. - * @return value cast to a double if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkint() - * @see #checkinteger() - * @see #checklong() - * @see #optdouble(double) - * @see #TNUMBER - */ - public double checkdouble() { argerror("double"); return 0; } - - /** Check that the value is a function , or throw {@link LuaError} if not - *

- * A function is considered anything whose {@link type()} returns {@link TFUNCTION}. - * In practice it will be either a built-in Java function, typically deriving from - * {@link LuaFunction} or a {@link LuaClosure} which represents lua source compiled - * into lua bytecode. - * @return {@code this} if if a lua function or closure - * @throws LuaError if not a function - * @see #checkclosure() - */ - public LuaValue checkfunction() { argerror("function"); return null; } - - /** Check that the value is numeric, and convert and cast value to int, or throw {@link LuaError} if not numeric - *

- * Values that are {@link LuaNumber} will be cast to int and may lose precision. - * Values that are {@link LuaString} that can be converted to a number will be converted, - * then cast to int, so may also lose precision. - * @return value cast to a int if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkinteger() - * @see #checklong() - * @see #checkdouble() - * @see #optint(int) - * @see #TNUMBER - */ - public int checkint() { argerror("int"); return 0; } - - /** Check that the value is numeric, and convert and cast value to int, or throw {@link LuaError} if not numeric - *

- * Values that are {@link LuaNumber} will be cast to int and may lose precision. - * Values that are {@link LuaString} that can be converted to a number will be converted, - * then cast to int, so may also lose precision. - * @return value cast to a int and wrapped in {@link LuaInteger} if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkint() - * @see #checklong() - * @see #checkdouble() - * @see #optinteger(LuaInteger) - * @see #TNUMBER - */ - public LuaInteger checkinteger() { argerror("integer"); return null; } - - /** Check that the value is numeric, and convert and cast value to long, or throw {@link LuaError} if not numeric - *

- * Values that are {@link LuaNumber} will be cast to long and may lose precision. - * Values that are {@link LuaString} that can be converted to a number will be converted, - * then cast to long, so may also lose precision. - * @return value cast to a long if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkint() - * @see #checkinteger() - * @see #checkdouble() - * @see #optlong(long) - * @see #TNUMBER - */ - public long checklong() { argerror("long"); return 0; } - - /** Check that the value is numeric, and return as a LuaNumber if so, or throw {@link LuaError} - *

- * Values that are {@link LuaString} that can be converted to a number will be converted and returned. - * @return value as a {@link LuaNumber} if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkint() - * @see #checkinteger() - * @see #checkdouble() - * @see #checklong() - * @see #optnumber(LuaNumber) - * @see #TNUMBER - */ - public LuaNumber checknumber() { argerror("number"); return null; } - - /** Check that the value is numeric, and return as a LuaNumber if so, or throw {@link LuaError} - *

- * Values that are {@link LuaString} that can be converted to a number will be converted and returned. - * @param msg String message to supply if conversion fails - * @return value as a {@link LuaNumber} if numeric - * @throws LuaError if not a {@link LuaNumber} or is a {@link LuaString} that can't be converted to number - * @see #checkint() - * @see #checkinteger() - * @see #checkdouble() - * @see #checklong() - * @see #optnumber(LuaNumber) - * @see #TNUMBER - */ - public LuaNumber checknumber(String msg) { throw new LuaError(msg); } - - /** Convert this value to a Java String. - *

- * The string representations here will roughly match what is produced by the - * C lua distribution, however hash codes have no relationship, - * and there may be differences in number formatting. - * @return String representation of the value - * @see #checkstring() - * @see #optjstring(String) - * @see #tojstring() - * @see #isstring - * @see #TSTRING - */ - public String checkjstring() { argerror("string"); return null; } - - /** Check that this is a lua string, or throw {@link LuaError} if it is not. - *

- * In lua all numbers are strings, so this will succeed for - * anything that derives from {@link LuaString} or {@link LuaNumber}. - * Numbers will be converted to {@link LuaString}. - * - * @return {@link LuaString} representation of the value if it is a {@link LuaString} or {@link LuaNumber} - * @throws LuaError if {@code this} is not a {@link LuaTable} - * @see #checkjstring() - * @see #optstring(LuaString) - * @see #tostring() - * @see #isstring() - * @see #TSTRING - */ - public LuaString checkstring() { argerror("string"); return null; } - - /** Check that this is a {@link LuaTable}, or throw {@link LuaError} if it is not - * @return {@code this} if it is a {@link LuaTable} - * @throws LuaError if {@code this} is not a {@link LuaTable} - * @see #istable() - * @see #opttable(LuaTable) - * @see #TTABLE - */ - public LuaTable checktable() { argerror("table"); return null; } - - /** Check that this is a {@link LuaThread}, or throw {@link LuaError} if it is not - * @return {@code this} if it is a {@link LuaThread} - * @throws LuaError if {@code this} is not a {@link LuaThread} - * @see #isthread() - * @see #optthread(LuaThread) - * @see #TTHREAD - */ - public LuaThread checkthread() { argerror("thread"); return null; } - - /** Check that this is a {@link LuaUserdata}, or throw {@link LuaError} if it is not - * @return {@code this} if it is a {@link LuaUserdata} - * @throws LuaError if {@code this} is not a {@link LuaUserdata} - * @see #isuserdata() - * @see #optuserdata(Object) - * @see #checkuserdata(Class) - * @see #TUSERDATA - */ - public Object checkuserdata() { argerror("userdata"); return null; } - - /** Check that this is a {@link LuaUserdata}, or throw {@link LuaError} if it is not - * @return {@code this} if it is a {@link LuaUserdata} - * @throws LuaError if {@code this} is not a {@link LuaUserdata} - * @see #isuserdata(Class) - * @see #optuserdata(Class, Object) - * @see #checkuserdata() - * @see #TUSERDATA - */ - public Object checkuserdata(Class c) { argerror("userdata"); return null; } - - /** Check that this is not the value {@link NIL}, or throw {@link LuaError} if it is - * @return {@code this} if it is not {@link NIL} - * @throws LuaError if {@code this} is {@link NIL} - * @see #optvalue(LuaValue) - */ - public LuaValue checknotnil() { return this; } - - /** Check that this is a valid key in a table index operation, or throw {@link LuaError} if not - * @return {@code this} if valid as a table key - * @throws LuaError if not valid as a table key - * @see #isnil() - * @see #isinttype() - */ - public LuaValue checkvalidkey() { return this; } - - /** - * Throw a {@link LuaError} with a particular message - * @param message String providing message details - * @throws LuaError in all cases - */ - public static LuaValue error(String message) { throw new LuaError(message); } - - /** - * Assert a condition is true, or throw a {@link LuaError} if not - * @param b condition to test - * @return returns no value when b is true, throws error not return if b is false - * @throws LuaError if b is not true - */ - public static void assert_(boolean b,String msg) { if(!b) throw new LuaError(msg); } - - /** - * Throw a {@link LuaError} indicating an invalid argument was supplied to a function - * @param expected String naming the type that was expected - * @throws LuaError in all cases - */ - protected LuaValue argerror(String expected) { throw new LuaError("bad argument: "+expected+" expected, got "+typename()); } - - /** - * Throw a {@link LuaError} indicating an invalid argument was supplied to a function - * @param iarg index of the argument that was invalid, first index is 1 - * @param msg String providing information about the invalid argument - * @throws LuaError in all cases - */ - public static LuaValue argerror(int iarg,String msg) { throw new LuaError("bad argument #"+iarg+": "+msg); } - - /** - * Throw a {@link LuaError} indicating an invalid type was supplied to a function - * @param expected String naming the type that was expected - * @throws LuaError in all cases - */ - protected LuaValue typerror(String expected) { throw new LuaError(expected+" expected, got "+typename()); } - - /** - * Throw a {@link LuaError} indicating an operation is not implemented - * @throws LuaError in all cases - */ - protected LuaValue unimplemented(String fun) { throw new LuaError("'"+fun+"' not implemented for "+typename()); } - - /** - * Throw a {@link LuaError} indicating an illegal operation occurred, - * typically involved in managing weak references - * @throws LuaError in all cases - */ - protected LuaValue illegal(String op,String typename) { throw new LuaError("illegal operation '"+op+"' for "+typename); } - - /** - * Throw a {@link LuaError} based on the len operator, - * typically due to an invalid operand type - * @throws LuaError in all cases - */ - protected LuaValue lenerror() { throw new LuaError("attempt to get length of "+typename()); } - - /** - * Throw a {@link LuaError} based on an arithmetic error such as add, or pow, - * typically due to an invalid operand type - * @throws LuaError in all cases - */ - protected LuaValue aritherror() { throw new LuaError("attempt to perform arithmetic on "+typename()); } - - /** - * Throw a {@link LuaError} based on an arithmetic error such as add, or pow, - * typically due to an invalid operand type - * @param fun String description of the function that was attempted - * @throws LuaError in all cases - */ - protected LuaValue aritherror(String fun) { throw new LuaError("attempt to perform arithmetic '"+fun+"' on "+typename()); } - - /** - * Throw a {@link LuaError} based on a comparison error such as greater-than or less-than, - * typically due to an invalid operand type - * @param rhs String description of what was on the right-hand-side of the comparison that resulted in the error. - * @throws LuaError in all cases - */ - protected LuaValue compareerror(String rhs) { throw new LuaError("attempt to compare "+typename()+" with "+rhs); } - - /** - * Throw a {@link LuaError} based on a comparison error such as greater-than or less-than, - * typically due to an invalid operand type - * @param rhs Right-hand-side of the comparison that resulted in the error. - * @throws LuaError in all cases - */ - protected LuaValue compareerror(LuaValue rhs) { throw new LuaError("attempt to compare "+typename()+" with "+rhs.typename()); } - - /** Get a value in a table including metatag processing using {@link INDEX}. - * @param key the key to look up, must not be {@link NIL} or null - * @return {@link LuaValue} for that key, or {@link NIL} if not found and no metatag - * @throws LuaError if {@code this} is not a table, - * or there is no {@link INDEX} metatag, - * or key is {@link NIL} - * @see #get(int) - * @see #get(String) - * @see #rawget(LuaValue) - */ - public LuaValue get( LuaValue key ) { return gettable(this,key); } - - /** Get a value in a table including metatag processing using {@link INDEX}. - * @param key the key to look up - * @return {@link LuaValue} for that key, or {@link NIL} if not found - * @throws LuaError if {@code this} is not a table, - * or there is no {@link INDEX} metatag - * @see #get(LuaValue) - * @see #rawget(int) - */ - public LuaValue get( int key ) { return get(LuaInteger.valueOf(key)); } - - /** Get a value in a table including metatag processing using {@link INDEX}. - * @param key the key to look up, must not be null - * @return {@link LuaValue} for that key, or {@link NIL} if not found - * @throws LuaError if {@code this} is not a table, - * or there is no {@link INDEX} metatag - * @see #get(LuaValue) - * @see #rawget(String) - */ - public LuaValue get( String key ) { return get(valueOf(key)); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use, must not be {@link NIL} or null - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table, - * or key is {@link NIL}, - * or there is no {@link NEWINDEX} metatag - */ - public void set( LuaValue key, LuaValue value ) { settable(this, key, value); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( int key, LuaValue value ) { set(LuaInteger.valueOf(key), value ); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use - * @param value the value to use, must not be null - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( int key, String value ) { set(key, valueOf(value) ); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use, must not be {@link NIL} or null - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( String key, LuaValue value ) { set(valueOf(key), value ); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use, must not be null - * @param value the value to use - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( String key, double value ) { set(valueOf(key), valueOf(value) ); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use, must not be null - * @param value the value to use - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( String key, int value ) { set(valueOf(key), valueOf(value) ); } - - /** Set a value in a table without metatag processing using {@link NEWINDEX}. - * @param key the key to use, must not be null - * @param value the value to use, must not be null - * @throws LuaError if {@code this} is not a table, - * or there is no {@link NEWINDEX} metatag - */ - public void set( String key, String value ) { set(valueOf(key), valueOf(value) ); } - - /** Get a value in a table without metatag processing. - * @param key the key to look up, must not be {@link NIL} or null - * @return {@link LuaValue} for that key, or {@link NIL} if not found - * @throws LuaError if {@code this} is not a table, or key is {@link NIL} - */ - public LuaValue rawget( LuaValue key ) { return unimplemented("rawget"); } - - /** Get a value in a table without metatag processing. - * @param key the key to look up - * @return {@link LuaValue} for that key, or {@link NIL} if not found - * @throws LuaError if {@code this} is not a table - */ - public LuaValue rawget( int key ) { return rawget(valueOf(key)); } - - /** Get a value in a table without metatag processing. - * @param key the key to look up, must not be null - * @return {@link LuaValue} for that key, or {@link NIL} if not found - * @throws LuaError if {@code this} is not a table - */ - public LuaValue rawget( String key ) { return rawget(valueOf(key)); } - - /** Set a value in a table without metatag processing. - * @param key the key to use, must not be {@link NIL} or null - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table, or key is {@link NIL} - */ - public void rawset( LuaValue key, LuaValue value ) { unimplemented("rawset"); } - - /** Set a value in a table without metatag processing. - * @param key the key to use - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table - */ - public void rawset( int key, LuaValue value ) { rawset(valueOf(key),value); } - - /** Set a value in a table without metatag processing. - * @param key the key to use - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table - */ - public void rawset( int key, String value ) { rawset(key,valueOf(value)); } - - /** Set a value in a table without metatag processing. - * @param key the key to use, must not be null - * @param value the value to use, can be {@link NIL}, must not be null - * @throws LuaError if {@code this} is not a table - */ - public void rawset( String key, LuaValue value ) { rawset(valueOf(key),value); } - - /** Set a value in a table without metatag processing. - * @param key the key to use, must not be null - * @param value the value to use - * @throws LuaError if {@code this} is not a table - */ - public void rawset( String key, double value ) { rawset(valueOf(key),valueOf(value)); } - - /** Set a value in a table without metatag processing. - * @param key the key to use, must not be null - * @param value the value to use - * @throws LuaError if {@code this} is not a table - */ - public void rawset( String key, int value ) { rawset(valueOf(key),valueOf(value)); } - - /** Set a value in a table without metatag processing. - * @param key the key to use, must not be null - * @param value the value to use, must not be null - * @throws LuaError if {@code this} is not a table - */ - public void rawset( String key, String value ) { rawset(valueOf(key),valueOf(value)); } - - /** Set list values in a table without invoking metatag processing - *

- * Primarily used internally in response to a SETLIST bytecode. - * @param key0 the first key to set in the table - * @param values the list of values to set - * @throws LuaError if this is not a table. - */ - public void rawsetlist( int key0, Varargs values ) { for ( int i=0, n=values.narg(); i - * Primarily used internally in response to a SETLIST bytecode. - * @param i the number of array slots to preallocate in the table. - * @throws LuaError if this is not a table. - */ - public void presize( int i) { typerror("table"); } - - /** Find the next key,value pair if {@code this} is a table, - * return {@link NIL} if there are no more, or throw a {@link LuaError} if not a table. - *

- * To iterate over all key-value pairs in a table you can use - *

 {@code
-	 * LuaValue k = LuaValue.NIL;
-	 * while ( true ) {
-	 *    Varargs n = table.next(k);
-	 *    if ( (k = n.arg1()).isnil() )
-	 *       break;
-	 *    LuaValue v = n.arg(2)
-	 *    process( k, v )
-	 * }}
- * @param index {@link LuaInteger} value identifying a key to start from, - * or {@link NIL} to start at the beginning - * @return {@link Varargs} containing {key,value} for the next entry, - * or {@link NIL} if there are no more. - * @throws LuaError if {@code this} is not a table, or the supplied key is invalid. - * @see LuaTable - * @see #inext() - * @see #valueOf(int) - * @see Varargs#arg1() - * @see Varargs#arg(int) - * @see #isnil() - */ - public Varargs next(LuaValue index) { return typerror("table"); } - - /** Find the next integer-key,value pair if {@code this} is a table, - * return {@link NIL} if there are no more, or throw a {@link LuaError} if not a table. - *

- * To iterate over integer keys in a table you can use - *

 {@code
-	 *   LuaValue k = LuaValue.NIL;
-	 *   while ( true ) {
-	 *      Varargs n = table.inext(k);
-	 *      if ( (k = n.arg1()).isnil() )
-	 *         break;
-	 *      LuaValue v = n.arg(2)
-	 *      process( k, v )
-	 *   }
-	 * } 
- * @param index {@link LuaInteger} value identifying a key to start from, - * or {@link NIL} to start at the beginning - * @return {@link Varargs} containing {@code (key,value)} for the next entry, - * or {@link NONE} if there are no more. - * @throws LuaError if {@code this} is not a table, or the supplied key is invalid. - * @see LuaTable - * @see #next() - * @see #valueOf(int) - * @see Varargs#arg1() - * @see Varargs#arg(int) - * @see #isnil() - */ - public Varargs inext(LuaValue index) { return typerror("table"); } - - /** - * Load a library instance by setting its environment to {@code this} - * and calling it, which should iniitalize the library instance and - * install itself into this instance. - * @param library The callable {@link LuaValue} to load into {@code this} - * @return {@link LuaValue} containing the result of the initialization call. - */ - public LuaValue load(LuaValue library) { library.setfenv(this); return library.call(); } - - // varargs references - public LuaValue arg(int index) { return index==1? this: NIL; } - public int narg() { return 1; }; - public LuaValue arg1() { return this; } - - /** - * Get the metatable for this {@link LuaValue} - *

- * For {@link LuaTable} and {@link LuaUserdata} instances, - * the metatable returned is this instance metatable. - * For all other types, the class metatable value will be returned. - * @return metatable, or null if it there is none - * @see LuaBoolean#s_metatable - * @see LuaNumber#s_metatable - * @see LuaNil#s_metatable - * @see LuaFunction#s_metatable - * @see LuaThread#s_metatable - */ - public LuaValue getmetatable() { return null; }; - - /** - * Set the metatable for this {@link LuaValue} - *

- * For {@link LuaTable} and {@link LuaUserdata} instances, the metatable is per instance. - * For all other types, there is one metatable per type that can be set directly from java - * @param metatable {@link LuaValue} instance to serve as the metatable, or null to reset it. - * @return {@code this} to allow chaining of Java function calls - * @see LuaBoolean#s_metatable - * @see LuaNumber#s_metatable - * @see LuaNil#s_metatable - * @see LuaFunction#s_metatable - * @see LuaThread#s_metatable - */ - public LuaValue setmetatable(LuaValue metatable) { return argerror("table"); } - - /** - * Get the environemnt for an instance. - * @return {@link LuaValue} currently set as the instances environent. - */ - public LuaValue getfenv() { typerror("function or thread"); return null; } - - /** - * Set the environment on an object. - *

- * Typically the environment is created once per application via a platform - * helper method such as {@link org.luaj.vm2.lib.jse.JsePlatform#standardGlobals()} - * However, any object can serve as an environment if it contains suitable metatag - * values to implement {@link #get(LuaValue)} to provide the environment values. - * @param env {@link LuaValue} (typically a {@link LuaTable}) containing the environment. - * @see org.luaj.vm2.lib.jme.JmePlatform - * @see org.luaj.vm2.lib.jse.JsePlatform - */ - public void setfenv(LuaValue env) { typerror("function or thread"); } - - /** Call {@link this} with 0 arguments, including metatag processing, - * and return only the first return value. - *

- * If {@code this} is a {@link LuaFunction}, call it, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a method call, use {@link #method(LuaValue)} instead. - * - * @return First return value {@code (this())}, or {@link NIL} if there were none. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call(LuaValue) - * @see #call(LuaValue,LuaValue) - * @see #call(LuaValue, LuaValue, LuaValue) - * @see #invoke() - * @see #method(String) - * @see #method(LuaValue) - */ - public LuaValue call() { return callmt().call(this); } - - /** Call {@link this} with 1 argument, including metatag processing, - * and return only the first return value. - *

- * If {@code this} is a {@link LuaFunction}, call it, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a method call, use {@link #method(LuaValue)} instead. - * - * @param arg First argument to supply to the called function - * @return First return value {@code (this(arg))}, or {@link NIL} if there were none. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #call(LuaValue,LuaValue) - * @see #call(LuaValue, LuaValue, LuaValue) - * @see #invoke(LuaValue) - * @see #method(String,LuaValue) - * @see #method(LuaValue,LuaValue) - */ - public LuaValue call(LuaValue arg) { return callmt().call(this,arg); } - - /** Call {@link this} with 2 arguments, including metatag processing, - * and return only the first return value. - *

- * If {@code this} is a {@link LuaFunction}, call it, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a method call, use {@link #method(LuaValue)} instead. - * - * @param arg1 First argument to supply to the called function - * @param arg2 Second argument to supply to the called function - * @return First return value {@code (this(arg1,arg2))}, or {@link NIL} if there were none. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #call(LuaValue) - * @see #call(LuaValue, LuaValue, LuaValue) - * @see #invoke(LuaValue,LuaValue) - * @see #method(String,LuaValue,LuaValue) - * @see #method(LuaValue,LuaValue,LuaValue) - */ - public LuaValue call(LuaValue arg1, LuaValue arg2) { return callmt().call(this,arg1,arg2); } - - /** Call {@link this} with 3 arguments, including metatag processing, - * and return only the first return value. - *

- * If {@code this} is a {@link LuaFunction}, call it, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a method call, use {@link #method(LuaValue)} instead. - * - * @param arg1 First argument to supply to the called function - * @param arg2 Second argument to supply to the called function - * @param arg3 Second argument to supply to the called function - * @return First return value {@code (this(arg1,arg2,arg3))}, or {@link NIL} if there were none. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #call(LuaValue) - * @see #call(LuaValue, LuaValue) - * @see #invoke(LuaValue,LuaValue, LuaValue) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,Varargs) - */ - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { return callmt().invoke(new LuaValue[]{this,arg1,arg2,arg3}).arg1(); } - - /** Call named method on {@link this} with 0 arguments, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument. - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call()} instead. - * - * @param name Name of the method to look up for invocation - * @return All values returned from {@code this:name()} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke() - * @see #method(LuaValue) - * @see #method(String,LuaValue) - * @see #method(String,LuaValue,LuaValue) - */ - public LuaValue method(String name) { return this.get(name).call(this); } - - /** Call named method on {@link this} with 0 arguments, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call()} instead. - * - * @param name Name of the method to look up for invocation - * @return All values returned from {@code this:name()} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke() - * @see #method(String) - * @see #method(LuaValue,LuaValue) - * @see #method(LuaValue,LuaValue,LuaValue) - */ - public LuaValue method(LuaValue name) { return this.get(name).call(this); } - - /** Call named method on {@link this} with 1 argument, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call(LuaValue)} instead. - * - * @param name Name of the method to look up for invocation - * @param arg Argument to supply to the method - * @return All values returned from {@code this:name(arg)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call(LuaValue) - * @see #invoke(LuaValue) - * @see #method(LuaValue,LuaValue) - * @see #method(String) - * @see #method(String,LuaValue,LuaValue) - */ - public LuaValue method(String name, LuaValue arg) { return this.get(name).call(this,arg); } - - /** Call named method on {@link this} with 1 argument, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call(LuaValue)} instead. - * - * @param name Name of the method to look up for invocation - * @param arg Argument to supply to the method - * @return All values returned from {@code this:name(arg)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call(LuaValue) - * @see #invoke(LuaValue) - * @see #method(String,LuaValue) - * @see #method(LuaValue) - * @see #method(LuaValue,LuaValue,LuaValue) - */ - public LuaValue method(LuaValue name, LuaValue arg) { return this.get(name).call(this,arg); } - - /** Call named method on {@link this} with 2 arguments, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call(LuaValue,LuaValue)} instead. - * - * @param name Name of the method to look up for invocation - * @param arg1 First argument to supply to the method - * @param arg2 Second argument to supply to the method - * @return All values returned from {@code this:name(arg1,arg2)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call(LuaValue,LuaValue) - * @see #invoke(LuaValue,Varargs) - * @see #method(String,LuaValue) - * @see #method(LuaValue,LuaValue,LuaValue) - */ - public LuaValue method(String name, LuaValue arg1, LuaValue arg2) { return this.get(name).call(this,arg1,arg2); } - - /** Call named method on {@link this} with 2 arguments, including metatag processing, - * and return only the first return value. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return only its first return value, dropping any others. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * If the return value is a {@link Varargs}, only the 1st value will be returned. - * To get multiple values, use {@link #invoke()} instead. - *

- * To call {@link this} as a plain call, use {@link #call(LuaValue,LuaValue)} instead. - * - * @param name Name of the method to look up for invocation - * @param arg1 First argument to supply to the method - * @param arg2 Second argument to supply to the method - * @return All values returned from {@code this:name(arg1,arg2)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call(LuaValue,LuaValue) - * @see #invoke(LuaValue,Varargs) - * @see #method(LuaValue,LuaValue) - * @see #method(String,LuaValue,LuaValue) - */ - public LuaValue method(LuaValue name, LuaValue arg1, LuaValue arg2) { return this.get(name).call(this,arg1,arg2); } - - /** Call {@link this} with 0 arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue)} instead. - * - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke(Varargs) - * @see #invokemethod(String) - * @see #invokemethod(LuaValue) - */ - public Varargs invoke() { return invoke(NONE); } - - /** Call {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue)} instead. - * - * @param args Varargs containing the arguments to supply to the called function - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #varargsOf(LuaValue[]) - * @see #call(LuaValue) - * @see #invoke() - * @see #invoke(LuaValue,Varargs) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,Varargs) - */ - public Varargs invoke(Varargs args) { return callmt().invoke(this,args); } - - /** Call {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue,Varargs)} instead. - * - * @param arg The first argument to supply to the called function - * @param varargs Varargs containing the remaining arguments to supply to the called function - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #varargsOf(LuaValue[]) - * @see #call(LuaValue,LuaValue) - * @see #invoke(LuaValue,Varargs) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,Varargs) - */ - public Varargs invoke(LuaValue arg,Varargs varargs) { return invoke(varargsOf(arg,varargs)); } - - /** Call {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue,Varargs)} instead. - * - * @param arg1 The first argument to supply to the called function - * @param arg2 The second argument to supply to the called function - * @param varargs Varargs containing the remaining arguments to supply to the called function - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #varargsOf(LuaValue[]) - * @see #call(LuaValue,LuaValue,LuaValue) - * @see #invoke(LuaValue,LuaValue,Varargs) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,Varargs) - */ - public Varargs invoke(LuaValue arg1,LuaValue arg2,Varargs varargs) { return invoke(varargsOf(arg1,arg2,varargs)); } - - /** Call {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue,Varargs)} instead. - * - * @param args Array of arguments to supply to the called function - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #varargsOf(LuaValue[]) - * @see #call(LuaValue,LuaValue,LuaValue) - * @see #invoke(LuaValue,LuaValue,Varargs) - * @see #invokemethod(String,LuaValue[]) - * @see #invokemethod(LuaValue,LuaValue[]) - */ - public Varargs invoke(LuaValue[] args) { return invoke(varargsOf(args)); } - - /** Call {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * If {@code this} is a {@link LuaFunction}, call it, and return all values. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a method call, use {@link #invokemethod(LuaValue,Varargs)} instead. - * - * @param args Array of arguments to supply to the called function - * @param varargs Varargs containing additional arguments to supply to the called function - * @return All return values as a {@link Varargs} instance. - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #varargsOf(LuaValue[]) - * @see #call(LuaValue,LuaValue,LuaValue) - * @see #invoke(LuaValue,LuaValue,Varargs) - * @see #invokemethod(String,LuaValue[]) - * @see #invokemethod(LuaValue,LuaValue[]) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,Varargs) - */ - public Varargs invoke(LuaValue[] args,Varargs varargs) { return invoke(varargsOf(args,varargs)); } - - /** Call named method on {@link this} with 0 arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke()} instead. - * - * @param name Name of the method to look up for invocation - * @return All values returned from {@code this:name()} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke() - * @see #method(String) - * @see #invokemethod(LuaValue) - * @see #invokemethod(String,LuaValue) - */ - public Varargs invokemethod(String name) { return get(name).invoke(this); } - - /** Call named method on {@link this} with 0 arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke()} instead. - * - * @param name Name of the method to look up for invocation - * @return All values returned from {@code this:name()} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke() - * @see #method(LuaValue) - * @see #invokemethod(String) - * @see #invokemethod(LuaValue,LuaValue) - */ - public Varargs invokemethod(LuaValue name) { return get(name).invoke(this); } - - /** Call named method on {@link this} with 1 argument, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke(Varargs)} instead. - * - * @param name Name of the method to look up for invocation - * @param args {@link Varargs} containing arguments to supply to the called function after {@code this} - * @return All values returned from {@code this:name(args)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke(Varargs) - * @see #method(String) - * @see #invokemethod(LuaValue,Varargs) - * @see #invokemethod(String,LuaValue[]) - */ - public Varargs invokemethod(String name, Varargs args) { return get(name).invoke(varargsOf(this,args)); } - - /** Call named method on {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke(Varargs)} instead. - * - * @param name Name of the method to look up for invocation - * @param args {@link Varargs} containing arguments to supply to the called function after {@code this} - * @return All values returned from {@code this:name(args)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke(Varargs) - * @see #method(String) - * @see #invokemethod(String,Varargs) - * @see #invokemethod(LuaValue,LuaValue[]) - */ - public Varargs invokemethod(LuaValue name, Varargs args) { return get(name).invoke(varargsOf(this,args)); } - - /** Call named method on {@link this} with 1 argument, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke(Varargs)} instead. - * - * @param name Name of the method to look up for invocation - * @param args Array of {@link LuaValue} containing arguments to supply to the called function after {@code this} - * @return All values returned from {@code this:name(args)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke(Varargs) - * @see #method(String) - * @see #invokemethod(LuaValue,LuaValue[]) - * @see #invokemethod(String,Varargs) - * @see LuaValue#varargsOf(LuaValue[]) - */ - public Varargs invokemethod(String name, LuaValue[] args) { return get(name).invoke(varargsOf(this,varargsOf(args))); } - - /** Call named method on {@link this} with variable arguments, including metatag processing, - * and retain all return values in a {@link Varargs}. - *

- * Look up {@code this[name]} and if it is a {@link LuaFunction}, - * call it inserting {@link this} as an additional first argument, - * and return all return values as a {@link Varargs} instance. - * Otherwise, look for the {@link CALL} metatag and call that. - *

- * To get a particular return value, us {@link Varargs#arg(int)} - *

- * To call {@link this} as a plain call, use {@link #invoke(Varargs)} instead. - * - * @param name Name of the method to look up for invocation - * @param args Array of {@link LuaValue} containing arguments to supply to the called function after {@code this} - * @return All values returned from {@code this:name(args)} as a {@link Varargs} instance - * @throws LuaError if not a function and {@link CALL} is not defined, - * or the invoked function throws a {@link LuaError} - * or the invoked closure throw a lua {@code error} - * @see #call() - * @see #invoke(Varargs) - * @see #method(String) - * @see #invokemethod(String,LuaValue[]) - * @see #invokemethod(LuaValue,Varargs) - * @see LuaValue#varargsOf(LuaValue[]) - */ - public Varargs invokemethod(LuaValue name, LuaValue[] args) { return get(name).invoke(varargsOf(this,varargsOf(args))); } - - /** - * Get the metatag value for the {@link CALL} metatag, if it exists. - * @return {@link LuaValue} value if metatag is defined - * @throws LuaError if {@link CALL} metatag is not defined. - */ - protected LuaValue callmt() { - return checkmetatag(CALL, "attempt to call "); - } - - /** Unary not: return inverse boolean value {@code (~this)} as defined by lua not operator - * @return {@link TRUE} if {@link NIL} or {@link FALSE}, otherwise {@link FALSE} - */ - public LuaValue not() { return FALSE; } - - /** Unary minus: return negative value {@code (-this)} as defined by lua unary minus operator - * @return boolean inverse as {@link LuaBoolean} if boolean or nil, - * numeric inverse as {@LuaNumber} if numeric, - * or metatag processing result if {@link UNM} metatag is defined - * @throws LuaError if {@code this} is not a table or string, and has no {@link UNM} metatag - */ - public LuaValue neg() { return checkmetatag(UNM, "attempt to perform arithmetic on ").call(this); } - - /** Length operator: return lua length of object {@code (#this)} including metatag processing as java int - * @return length as defined by the lua # operator - * or metatag processing result - * @throws LuaError if {@code this} is not a table or string, and has no {@link LEN} metatag - */ - public LuaValue len() { return checkmetatag(LEN, "attempt to get length of ").call(this); } - - /** Length operator: return lua length of object {@code (#this)} including metatag processing as java int - * @return length as defined by the lua # operator - * or metatag processing result converted to java int using {@link #toint()} - * @throws LuaError if {@code this} is not a table or string, and has no {@link LEN} metatag - */ - public int length() { return len().toint(); } - - /** Implementation of lua 5.0 getn() function. - * @return value of getn() as defined in lua 5.0 spec if {@code this} is a {@link LuaTable} - * @throws LuaError if {@code this} is not a {@link LuaTable} - */ - public LuaValue getn() { return typerror("getn"); } - - // object equality, used for key comparison - public boolean equals(Object obj) { return this == obj; } - - /** Equals: Perform equality comparison with another value - * including metatag processing using {@link EQ}. - * @param val The value to compare with. - * @return {@link TRUE} if values are comparable and {@code (this == rhs)}, - * {@link FALSE} if comparable but not equal, - * {@link LuaValue} if metatag processing occurs. - * @see #eq_b(LuaValue) - * @see #raweq(LuaValue) - * @see #neq(LuaValue) - * @see #eqmtcall(LuaValue, LuaValue, LuaValue, LuaValue) - * @see #EQ - */ - public LuaValue eq( LuaValue val ) { return this == val? TRUE: FALSE; } - - /** Equals: Perform equality comparison with another value - * including metatag processing using {@link EQ}, - * and return java boolean - * @param val The value to compare with. - * @return true if values are comparable and {@code (this == rhs)}, - * false if comparable but not equal, - * result converted to java boolean if metatag processing occurs. - * @see #eq(LuaValue) - * @see #raweq(LuaValue) - * @see #neq_b(LuaValue) - * @see #eqmtcall(LuaValue, LuaValue, LuaValue, LuaValue) - * @see #EQ - */ - public boolean eq_b( LuaValue val ) { return this == val; } - - /** Notquals: Perform inequality comparison with another value - * including metatag processing using {@link EQ}. - * @param val The value to compare with. - * @return {@link TRUE} if values are comparable and {@code (this != rhs)}, - * {@link FALSE} if comparable but equal, - * inverse of {@link LuaValue} converted to {@link LuaBoolean} if metatag processing occurs. - * @see #eq(LuaValue) - * @see #raweq(LuaValue) - * @see #eqmtcall(LuaValue, LuaValue, LuaValue, LuaValue) - * @see #EQ - */ - public LuaValue neq( LuaValue val ) { return eq_b(val)? FALSE: TRUE; } - - /** Notquals: Perform inequality comparison with another value - * including metatag processing using {@link EQ}. - * @param val The value to compare with. - * @return true if values are comparable and {@code (this != rhs)}, - * false if comparable but equal, - * inverse of result converted to boolean if metatag processing occurs. - * @see #eq_b(LuaValue) - * @see #raweq(LuaValue) - * @see #eqmtcall(LuaValue, LuaValue, LuaValue, LuaValue) - * @see #EQ - */ - public boolean neq_b( LuaValue val ) { return !eq_b(val); } - - /** Equals: Perform direct equality comparison with another value - * without metatag processing. - * @param val The value to compare with. - * @return true if {@code (this == rhs)}, false otherwise - * @see #eq(LuaValue) - * @see #raweq(LuaUserdata) - * @see #raweq(LuaString) - * @see #raweq(double) - * @see #raweq(int) - * @see #EQ - */ - public boolean raweq( LuaValue val ) { return this == val; } - - /** Equals: Perform direct equality comparison with a {@link LuaUserdata} value - * without metatag processing. - * @param val The {@link LuaUserdata} to compare with. - * @return true if {@code this} is userdata - * and their metatables are the same using == - * and their instances are equal using {@link #equals(Object)}, - * otherwise false - * @see #eq(LuaValue) - * @see #raweq(LuaValue) - */ - public boolean raweq( LuaUserdata val ) { return false; } - - /** Equals: Perform direct equality comparison with a {@link LuaString} value - * without metatag processing. - * @param val The {@link LuaString} to compare with. - * @return true if {@code this} is a {@link LuaString} - * and their byte sequences match, - * otherwise false - */ - public boolean raweq( LuaString val ) { return false; } - - /** Equals: Perform direct equality comparison with a double value - * without metatag processing. - * @param val The double value to compare with. - * @return true if {@code this} is a {@link LuaNumber} - * whose value equals val, - * otherwise false - */ - public boolean raweq( double val ) { return false; } - - /** Equals: Perform direct equality comparison with a int value - * without metatag processing. - * @param val The double value to compare with. - * @return true if {@code this} is a {@link LuaNumber} - * whose value equals val, - * otherwise false - */ - public boolean raweq( int val ) { return false; } - - /** Perform equality testing metatag processing - * @param lhs left-hand-side of equality expression - * @param lhsmt metatag value for left-hand-side - * @param rhs right-hand-side of equality expression - * @param rhsmt metatag value for right-hand-side - * @return true if metatag processing result is not {@link NIL} or {@link FALSE} - * @throws LuaError if metatag was not defined for either operand - * @see #equals(Object) - * @see #eq(LuaValue) - * @see #raweq(LuaValue) - * @see #EQ - */ - public static final boolean eqmtcall(LuaValue lhs, LuaValue lhsmt, LuaValue rhs, LuaValue rhsmt) { - LuaValue h = lhsmt.rawget(EQ); - return h.isnil() || h!=rhsmt.rawget(EQ)? false: h.call(lhs,rhs).toboolean(); - } - - /** Add: Perform numeric add operation with another value - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the add with - * @return value of {@code (this + rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link ADD} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue add( LuaValue rhs ) { return arithmt(ADD,rhs); } - - /** Add: Perform numeric add operation with another value - * of double type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the add with - * @return value of {@code (this + rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #add(LuaValue) - */ - public LuaValue add(double rhs) { return arithmtwith(ADD,rhs); } - - /** Add: Perform numeric add operation with another value - * of int type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the add with - * @return value of {@code (this + rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #add(LuaValue) - */ - public LuaValue add(int rhs) { return add((double)rhs); } - - /** Subtract: Perform numeric subtract operation with another value - * of unknown type, - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the subtract with - * @return value of {@code (this - rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link SUB} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue sub( LuaValue rhs ) { return arithmt(SUB,rhs); } - - /** Subtract: Perform numeric subtract operation with another value - * of double type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the subtract with - * @return value of {@code (this - rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #sub(LuaValue) - */ - public LuaValue sub( double rhs ) { return aritherror("sub"); } - - /** Subtract: Perform numeric subtract operation with another value - * of int type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the subtract with - * @return value of {@code (this - rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #sub(LuaValue) - */ - public LuaValue sub( int rhs ) { return aritherror("sub"); } - - /** Reverse-subtract: Perform numeric subtract operation from an int value - * with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param lhs The left-hand-side value from which to perform the subtraction - * @return value of {@code (lhs - this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #sub(LuaValue) - * @see #sub(double) - * @see #sub(int) - */ - public LuaValue subFrom(double lhs) { return arithmtwith(SUB,lhs); } - - /** Reverse-subtract: Perform numeric subtract operation from a double value - * without metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - *

- * For metatag processing {@link #sub(LuaValue)} must be used - * - * @param lhs The left-hand-side value from which to perform the subtraction - * @return value of {@code (lhs - this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #sub(LuaValue) - * @see #sub(double) - * @see #sub(int) - */ - public LuaValue subFrom(int lhs) { return subFrom((double)lhs); } - - /** Multiply: Perform numeric multiply operation with another value - * of unknown type, - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the multiply with - * @return value of {@code (this * rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link MUL} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue mul( LuaValue rhs ) { return arithmt(MUL,rhs); } - - /** Multiply: Perform numeric multiply operation with another value - * of double type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the multiply with - * @return value of {@code (this * rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #mul(LuaValue) - */ - public LuaValue mul(double rhs) { return arithmtwith(MUL,rhs); } - - /** Multiply: Perform numeric multiply operation with another value - * of int type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the multiply with - * @return value of {@code (this * rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #mul(LuaValue) - */ - public LuaValue mul(int rhs) { return mul((double)rhs); } - - /** Raise to power: Raise this value to a power - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The power to raise this value to - * @return value of {@code (this ^ rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link POW} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue pow( LuaValue rhs ) { return arithmt(POW,rhs); } - - /** Raise to power: Raise this value to a power - * of double type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The power to raise this value to - * @return value of {@code (this ^ rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #pow(LuaValue) - */ - public LuaValue pow( double rhs ) { return aritherror("pow"); } - - /** Raise to power: Raise this value to a power - * of int type with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The power to raise this value to - * @return value of {@code (this ^ rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #pow(LuaValue) - */ - public LuaValue pow( int rhs ) { return aritherror("pow"); } - - /** Reverse-raise to power: Raise another value of double type to this power - * with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param lhs The left-hand-side value which will be raised to this power - * @return value of {@code (lhs ^ this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #pow(LuaValue) - * @see #pow(double) - * @see #pow(int) - */ - public LuaValue powWith(double lhs) { return arithmtwith(POW,lhs); } - - /** Reverse-raise to power: Raise another value of double type to this power - * with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param lhs The left-hand-side value which will be raised to this power - * @return value of {@code (lhs ^ this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #pow(LuaValue) - * @see #pow(double) - * @see #pow(int) - */ - public LuaValue powWith(int lhs) { return powWith((double)lhs); } - - /** Divide: Perform numeric divide operation by another value - * of unknown type, - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the divulo with - * @return value of {@code (this / rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link DIV} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue div( LuaValue rhs ) { return arithmt(DIV,rhs); } - - /** Divide: Perform numeric divide operation by another value - * of double type without metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - *

- * For metatag processing {@link #div(LuaValue)} must be used - * - * @param rhs The right-hand-side value to perform the divulo with - * @return value of {@code (this / rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #div(LuaValue) - */ - public LuaValue div( double rhs ) { return aritherror("div"); } - - /** Divide: Perform numeric divide operation by another value - * of int type without metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - *

- * For metatag processing {@link #div(LuaValue)} must be used - * - * @param rhs The right-hand-side value to perform the divulo with - * @return value of {@code (this / rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #div(LuaValue) - */ - public LuaValue div( int rhs ) { return aritherror("div"); } - - /** Reverse-divide: Perform numeric divide operation into another value - * with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param lhs The left-hand-side value which will be divided by this - * @return value of {@code (lhs / this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #div(LuaValue) - * @see #div(double) - * @see #div(int) - */ - public LuaValue divInto(double lhs) { return arithmtwith(DIV,lhs); } - - /** Modulo: Perform numeric modulo operation with another value - * of unknown type, - * including metatag processing. - *

- * Each operand must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param rhs The right-hand-side value to perform the modulo with - * @return value of {@code (this % rhs)} if both are numeric, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either operand is not a number or string convertible to number, - * and neither has the {@link MOD} metatag defined - * @see #arithmt(LuaValue, LuaValue) - */ - public LuaValue mod( LuaValue rhs ) { return arithmt(MOD,rhs); } - - /** Modulo: Perform numeric modulo operation with another value - * of double type without metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - *

- * For metatag processing {@link #mod(LuaValue)} must be used - * - * @param rhs The right-hand-side value to perform the modulo with - * @return value of {@code (this % rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #mod(LuaValue) - */ - public LuaValue mod( double rhs ) { return aritherror("mod"); } - - /** Modulo: Perform numeric modulo operation with another value - * of int type without metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - *

- * For metatag processing {@link #mod(LuaValue)} must be used - * - * @param rhs The right-hand-side value to perform the modulo with - * @return value of {@code (this % rhs)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #mod(LuaValue) - */ - public LuaValue mod( int rhs ) { return aritherror("mod"); } - - /** Reverse-modulo: Perform numeric modulo operation from another value - * with metatag processing - *

- * {@code this} must derive from {@link LuaNumber} - * or derive from {@link LuaString} and be convertible to a number - * - * @param lhs The left-hand-side value which will be modulo'ed by this - * @return value of {@code (lhs % this)} if this is numeric - * @throws LuaError if {@code this} is not a number or string convertible to number - * @see #mod(LuaValue) - * @see #mod(double) - * @see #mod(int) - */ - public LuaValue modFrom(double lhs) { return arithmtwith(MOD,lhs); } - - /** Perform metatag processing for arithmetic operations. - *

- * Finds the supplied metatag value for {@code this} or {@code op2} and invokes it, - * or throws {@link LuaError} if neither is defined. - * @param tag The metatag to look up - * @param op2 The other operand value to perform the operation with - * @return {@link LuaValue} resulting from metatag processing - * @throws LuaError if metatag was not defined for either operand - * @see #add(LuaValue) - * @see #sub(LuaValue) - * @see #mul(LuaValue) - * @see #pow(LuaValue) - * @see #div(LuaValue) - * @see #mod(LuaValue) - * @see #ADD - * @see #SUB - * @see #MUL - * @see #POW - * @see #DIV - * @see #MOD - */ - protected LuaValue arithmt(LuaValue tag, LuaValue op2) { - LuaValue h = this.metatag(tag); - if ( h.isnil() ) { - h = op2.metatag(tag); - if ( h.isnil() ) - error( "attempt to perform arithmetic "+tag+" on "+typename()+" and "+op2.typename() ); - } - return h.call( this, op2 ); - } - - /** Perform metatag processing for arithmetic operations when the left-hand-side is a number. - *

- * Finds the supplied metatag value for {@code this} and invokes it, - * or throws {@link LuaError} if neither is defined. - * @param tag The metatag to look up - * @param op1 The value of the left-hand-side to perform the operation with - * @return {@link LuaValue} resulting from metatag processing - * @throws LuaError if metatag was not defined for either operand - * @see #add(LuaValue) - * @see #sub(LuaValue) - * @see #mul(LuaValue) - * @see #pow(LuaValue) - * @see #div(LuaValue) - * @see #mod(LuaValue) - * @see #ADD - * @see #SUB - * @see #MUL - * @see #POW - * @see #DIV - * @see #MOD - */ - protected LuaValue arithmtwith(LuaValue tag, double op1) { - LuaValue h = metatag(tag); - if ( h.isnil() ) - error( "attempt to perform arithmetic "+tag+" on number and "+typename() ); - return h.call( LuaValue.valueOf(op1), this ); - } - - /** Less than: Perform numeric or string comparison with another value - * of unknown type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this < rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LT} metatag is defined. - * @see #gteq_b(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lt( LuaValue rhs ) { return comparemt(LT,rhs); } - - /** Less than: Perform numeric comparison with another value - * of double type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this < rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq_b(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lt( double rhs ) { return compareerror("number"); } - - /** Less than: Perform numeric comparison with another value - * of int type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this < rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq_b(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lt( int rhs ) { return compareerror("number"); } - - /** Less than: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this < rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LT} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lt_b( LuaValue rhs ) { return comparemt(LT,rhs).toboolean(); } - - /** Less than: Perform numeric comparison with another value - * of int type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this < rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lt_b( int rhs ) { compareerror("number"); return false; } - - /** Less than: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this < rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LT} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lt_b( double rhs ) { compareerror("number"); return false; } - - /** Less than or equals: Perform numeric or string comparison with another value - * of unknown type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this <= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LE} metatag is defined. - * @see #gteq_b(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lteq( LuaValue rhs ) { return comparemt(LE,rhs); } - - /** Less than or equals: Perform numeric comparison with another value - * of double type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this <= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq_b(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lteq( double rhs ) { return compareerror("number"); } - - /** Less than or equals: Perform numeric comparison with another value - * of int type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this <= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq_b(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue lteq( int rhs ) { return compareerror("number"); } - - /** Less than or equals: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this <= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LE} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lteq_b( LuaValue rhs ) { return comparemt(LE,rhs).toboolean(); } - - /** Less than or equals: Perform numeric comparison with another value - * of int type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this <= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lteq_b( int rhs ) { compareerror("number"); return false; } - - /** Less than or equals: Perform numeric comparison with another value - * of double type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this <= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean lteq_b( double rhs ) { compareerror("number"); return false; } - - /** Greater than: Perform numeric or string comparison with another value - * of unknown type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this > rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LE} metatag is defined. - * @see #gteq_b(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gt( LuaValue rhs ) { return rhs.comparemt(LE,this); } - - /** Greater than: Perform numeric comparison with another value - * of double type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this > rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq_b(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gt( double rhs ) { return compareerror("number"); } - - /** Greater than: Perform numeric comparison with another value - * of int type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this > rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq_b(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gt( int rhs ) { return compareerror("number"); } - - /** Greater than: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this > rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LE} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gt_b( LuaValue rhs ) { return rhs.comparemt(LE,this).toboolean(); } - - /** Greater than: Perform numeric comparison with another value - * of int type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this > rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LE} metatag is defined. - * @see #gteq(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gt_b( int rhs ) { compareerror("number"); return false; } - - /** Greater than: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this > rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LE} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gt_b( double rhs ) { compareerror("number"); return false; } - - /** Greater than or equals: Perform numeric or string comparison with another value - * of unknown type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this >= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LT} metatag is defined. - * @see #gteq_b(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gteq( LuaValue rhs ) { return rhs.comparemt(LT,this); } - - /** Greater than or equals: Perform numeric comparison with another value - * of double type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this >= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq_b(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gteq( double rhs ) { return compareerror("number"); } - - /** Greater than or equals: Perform numeric comparison with another value - * of int type, - * including metatag processing, and returning {@link LuaValue}. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return {@link TRUE} if {@code (this >= rhs)}, {@link FALSE} if not, - * or {@link LuaValue} if metatag processing occurs - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq_b(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public LuaValue gteq( int rhs ) { return valueOf(todouble() >= rhs); } - - /** Greater than or equals: Perform numeric or string comparison with another value - * of unknown type, including metatag processing, - * and returning java boolean. - *

- * To be comparable, both operands must derive from {@link LuaString} - * or both must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this >= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if either both operands are not a strings or both are not numbers - * and no {@link LT} metatag is defined. - * @see #gteq(LuaValue) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gteq_b( LuaValue rhs ) { return rhs.comparemt(LT,this).toboolean(); } - - /** Greater than or equals: Perform numeric comparison with another value - * of int type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this >= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq(int) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gteq_b( int rhs ) { compareerror("number"); return false; } - - /** Greater than or equals: Perform numeric comparison with another value - * of double type, - * including metatag processing, - * and returning java boolean. - *

- * To be comparable, this must derive from {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @return true if {@code (this >= rhs)}, false if not, - * and boolean interpreation of result if metatag processing occurs. - * @throws LuaError if this is not a number - * and no {@link LT} metatag is defined. - * @see #gteq(double) - * @see #comparemt(LuaValue, LuaValue) - */ - public boolean gteq_b( double rhs ) { compareerror("number"); return false; } - - /** Perform metatag processing for comparison operations. - *

- * Finds the supplied metatag value and invokes it, - * or throws {@link LuaError} if none applies. - * @param tag The metatag to look up - * @param rhs The right-hand-side value to perform the operation with - * @return {@link LuaValue} resulting from metatag processing - * @throws LuaError if metatag was not defined for either operand, - * or if the operands are not the same type, - * or the metatag values for the two operands are different. - * @see #gt(LuaValue) - * @see #gteq(LuaValue) - * @see #lt(LuaValue) - * @see #lteq(LuaValue) - */ - public LuaValue comparemt( LuaValue tag, LuaValue op1 ) { - if ( type() == op1.type() ) { - LuaValue h = metatag(tag); - if ( !h.isnil() && h == op1.metatag(tag) ) - return h.call(this, op1); - } - return error("attempt to compare "+tag+" on "+typename()+" and "+op1.typename()); - } - - /** Perform string comparison with another value - * of any type - * using string comparison based on byte values. - *

- * Only strings can be compared, meaning - * each operand must derive from {@link LuaString}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @returns int < 0 for {@code (this < rhs)}, int > 0 for {@code (this > rhs)}, or 0 when same string. - * @throws LuaError if either operand is not a string - */ - public int strcmp( LuaValue rhs ) { error("attempt to compare "+typename()); return 0; } - - /** Perform string comparison with another value - * known to be a {@link LuaString} - * using string comparison based on byte values. - *

- * Only strings can be compared, meaning - * each operand must derive from {@link LuaString}. - * - * @param rhs The right-hand-side value to perform the comparison with - * @returns int < 0 for {@code (this < rhs)}, int > 0 for {@code (this > rhs)}, or 0 when same string. - * @throws LuaError if this is not a string - */ - public int strcmp( LuaString rhs ) { error("attempt to compare "+typename()); return 0; } - - /** Concatenate another value onto this value and return the result - * using rules of lua string concatenation including metatag processing. - *

- * Only strings and numbers as represented can be concatenated, meaning - * each operand must derive from {@link LuaString} or {@link LuaNumber}. - * - * @param rhs The right-hand-side value to perform the operation with - * @returns {@link LuaValue} resulting from concatenation of {@code (this .. rhs)} - * @throws LuaError if either operand is not of an appropriate type, - * such as nil or a table - */ - public LuaValue concat(LuaValue rhs) { return this.concatmt(rhs); } - - /** Reverse-concatenation: concatenate this value onto another value - * whose type is unknwon - * and return the result using rules of lua string concatenation including - * metatag processing. - *

- * Only strings and numbers as represented can be concatenated, meaning - * each operand must derive from {@link LuaString} or {@link LuaNumber}. - * - * @param lhs The left-hand-side value onto which this will be concatenated - * @returns {@link LuaValue} resulting from concatenation of {@code (lhs .. this)} - * @throws LuaError if either operand is not of an appropriate type, - * such as nil or a table - * @see #concat(LuaValue) - */ - public LuaValue concatTo(LuaValue lhs) { return lhs.concatmt(this); } - - /** Reverse-concatenation: concatenate this value onto another value - * known to be a {@link LuaNumber} - * and return the result using rules of lua string concatenation including - * metatag processing. - *

- * Only strings and numbers as represented can be concatenated, meaning - * each operand must derive from {@link LuaString} or {@link LuaNumber}. - * - * @param lhs The left-hand-side value onto which this will be concatenated - * @returns {@link LuaValue} resulting from concatenation of {@code (lhs .. this)} - * @throws LuaError if either operand is not of an appropriate type, - * such as nil or a table - * @see #concat(LuaValue) - */ - public LuaValue concatTo(LuaNumber lhs) { return lhs.concatmt(this); } - - /** Reverse-concatenation: concatenate this value onto another value - * known to be a {@link LuaString} - * and return the result using rules of lua string concatenation including - * metatag processing. - *

- * Only strings and numbers as represented can be concatenated, meaning - * each operand must derive from {@link LuaString} or {@link LuaNumber}. - * - * @param lhs The left-hand-side value onto which this will be concatenated - * @returns {@link LuaValue} resulting from concatenation of {@code (lhs .. this)} - * @throws LuaError if either operand is not of an appropriate type, - * such as nil or a table - * @see #concat(LuaValue) - */ - public LuaValue concatTo(LuaString lhs) { return lhs.concatmt(this); } - - /** Convert the value to a {@link Buffer} for more efficient concatenation of - * multiple strings. - * @return Buffer instance containing the string or number - */ - public Buffer buffer() { return new Buffer(this); } - - /** Concatenate a {@link Buffer} onto this value and return the result - * using rules of lua string concatenation including metatag processing. - *

- * Only strings and numbers as represented can be concatenated, meaning - * each operand must derive from {@link LuaString} or {@link LuaNumber}. - * - * @param rhs The right-hand-side {@link Buffer} to perform the operation with - * @return LuaString resulting from concatenation of {@code (this .. rhs)} - * @throws LuaError if either operand is not of an appropriate type, - * such as nil or a table - */ - public Buffer concat(Buffer rhs) { return rhs.concatTo(this); } - - /** Perform metatag processing for concatenation operations. - *

- * Finds the {@link CONCAT} metatag value and invokes it, - * or throws {@link LuaError} if it doesn't exist. - * @param rhs The right-hand-side value to perform the operation with - * @return {@link LuaValue} resulting from metatag processing for {@link CONCAT} metatag. - * @throws LuaError if metatag was not defined for either operand - */ - public LuaValue concatmt(LuaValue rhs) { - LuaValue h=metatag(CONCAT); - if ( h.isnil() && (h=rhs.metatag(CONCAT)).isnil()) - error("attempt to concatenate "+typename()+" and "+rhs.typename()); - return h.call(this,rhs); - } - - /** Perform boolean {@code and} with another operand, based on lua rules for boolean evaluation. - * This returns either {@code this} or {@code rhs} depending on the boolean value for {@code this}. - * - * @param rhs The right-hand-side value to perform the operation with - * @return {@code this} if {@code this.toboolean()} is false, {@code rhs} otherwise. - */ - public LuaValue and( LuaValue rhs ) { return this.toboolean()? rhs: this; } - - /** Perform boolean {@code or} with another operand, based on lua rules for boolean evaluation. - * This returns either {@code this} or {@code rhs} depending on the boolean value for {@code this}. - * - * @param rhs The right-hand-side value to perform the operation with - * @return {@code this} if {@code this.toboolean()} is true, {@code rhs} otherwise. - */ - public LuaValue or( LuaValue rhs ) { return this.toboolean()? this: rhs; } - - /** Perform end-condition test in for-loop processing. - *

- * Used in lua-bytecode to Java-bytecode conversion. - * - * @param limit the numerical limit to complete the for loop - * @param step the numberical step size to use. - * @return true if limit has not been reached, false otherwise. - */ - public boolean testfor_b(LuaValue limit, LuaValue step) { return step.gt_b(0)? lteq_b(limit): gteq_b(limit); } - - /** - * Convert this value to a string if it is a {@link LuaString} or {@link LuaNumber}, - * or throw a {@link LuaError} if it is not - * @return {@link LuaString} corresponding to the value if a string or number - * @throws LuaError if not a string or number - */ - public LuaString strvalue() { typerror("strValue"); return null; } - - /** Return the key part of this value if it is a weak table entry, or {@link NIL} if it was weak and is no longer referenced. - * @return {@link LuaValue} key, or {@link NIL} if it was weak and is no longer referenced. - * @see WeakTable - */ - public LuaValue strongkey() { return strongvalue(); } - - /** Return this value as a strong reference, or {@link NIL} if it was weak and is no longer referenced. - * @return {@link LuaValue} referred to, or {@link NIL} if it was weak and is no longer referenced. - * @see WeakTable - */ - public LuaValue strongvalue() { return this; } - - /** Test if this is a weak reference and its value no longer is referenced. - * @return true if this is a weak reference whose value no longer is referenced - * @see WeakTable - */ - public boolean isweaknil() { return false; } - - /** Convert java boolean to a {@link LuaValue}. - * - * @param b boolean value to convert - * @return {@link TRUE} if not or {@link FALSE} if false - */ - public static LuaBoolean valueOf(boolean b) { return b? LuaValue.TRUE: FALSE; }; - - /** Convert java int to a {@link LuaValue}. - * - * @param i int value to convert - * @return {@link LuaInteger} instance, possibly pooled, whose value is i - */ - public static LuaInteger valueOf(int i) { return LuaInteger.valueOf(i); } - - /** Convert java double to a {@link LuaValue}. - * This may return a {@link LuaInteger} or {@link LuaDouble} depending - * on the value supplied. - * - * @param d double value to convert - * @return {@link LuaNumber} instance, possibly pooled, whose value is d - */ - public static LuaNumber valueOf(double d) { return LuaDouble.valueOf(d); }; - - /** Convert java string to a {@link LuaValue}. - * - * @param s String value to convert - * @return {@link LuaString} instance, possibly pooled, whose value is s - */ - public static LuaString valueOf(String s) { return LuaString.valueOf(s); } - - /** Convert bytes in an array to a {@link LuaValue}. - * - * @param bytes byte array to convert - * @return {@link LuaString} instance, possibly pooled, whose bytes are those in the supplied array - */ - public static LuaString valueOf(byte[] bytes) { return LuaString.valueOf(bytes); } - - /** Convert bytes in an array to a {@link LuaValue}. - * - * @param bytes byte array to convert - * @param off offset into the byte array, starting at 0 - * @param len number of bytes to include in the {@link LuaString} - * @return {@link LuaString} instance, possibly pooled, whose bytes are those in the supplied array - */ - public static LuaString valueOf(byte[] bytes, int off, int len) { - return LuaString.valueOf(bytes,off,len); - } - - /** Construct an empty {@link LuaTable}. - * @return new {@link LuaTable} instance with no values and no metatable. - */ - public static LuaTable tableOf() { return new LuaTable(); } - - /** Construct a {@link LuaTable} initialized with supplied array values. - * @param varargs {@link Varargs} containing the values to use in initialization - * @param firstarg the index of the first argument to use from the varargs, 1 being the first. - * @return new {@link LuaTable} instance with sequential elements coming from the varargs. - */ - public static LuaTable tableOf(Varargs varargs, int firstarg) { return new LuaTable(varargs,firstarg); } - - /** Construct an empty {@link LuaTable} preallocated to hold array and hashed elements - * @param narray Number of array elements to preallocate - * @param nhash Number of hash elements to preallocate - * @return new {@link LuaTable} instance with no values and no metatable, but preallocated for array and hashed elements. - */ - public static LuaTable tableOf(int narray, int nhash) { return new LuaTable(narray, nhash); } - - /** Construct a {@link LuaTable} initialized with supplied array values. - * @param unnamedValues array of {@link LuaValue} containing the values to use in initialization - * @return new {@link LuaTable} instance with sequential elements coming from the array. - */ - public static LuaTable listOf(LuaValue[] unnamedValues) { return new LuaTable(null,unnamedValues,null); } - - /** Construct a {@link LuaTable} initialized with supplied array values. - * @param unnamedValues array of {@link LuaValue} containing the first values to use in initialization - * @param lastarg {@link Varargs} containing additional values to use in initialization - * to be put after the last unnamedValues element - * @return new {@link LuaTable} instance with sequential elements coming from the array and varargs. - */ - public static LuaTable listOf(LuaValue[] unnamedValues,Varargs lastarg) { return new LuaTable(null,unnamedValues,lastarg); } - - /** Construct a {@link LuaTable} initialized with supplied named values. - * @param namedValues array of {@link LuaValue} containing the keys and values to use in initialization - * in order {@code {key-a, value-a, key-b, value-b, ...} } - * @return new {@link LuaTable} instance with non-sequential keys coming from the supplied array. - */ - public static LuaTable tableOf(LuaValue[] namedValues) { return new LuaTable(namedValues,null,null); } - - /** Construct a {@link LuaTable} initialized with supplied named values and sequential elements. - * The named values will be assigned first, and the sequential elements will be assigned later, - * possibly overwriting named values at the same slot if there are conflicts. - * @param namedValues array of {@link LuaValue} containing the keys and values to use in initialization - * in order {@code {key-a, value-a, key-b, value-b, ...} } - * @param unnamedValues array of {@link LuaValue} containing the sequenctial elements to use in initialization - * in order {@code {value-1, value-2, ...} }, or null if there are none - * @return new {@link LuaTable} instance with named and sequential values supplied. - */ - public static LuaTable tableOf(LuaValue[] namedValues, LuaValue[] unnamedValues) {return new LuaTable(namedValues,unnamedValues,null); } - - /** Construct a {@link LuaTable} initialized with supplied named values and sequential elements in an array part and as varargs. - * The named values will be assigned first, and the sequential elements will be assigned later, - * possibly overwriting named values at the same slot if there are conflicts. - * @param namedValues array of {@link LuaValue} containing the keys and values to use in initialization - * in order {@code {key-a, value-a, key-b, value-b, ...} } - * @param unnamedValues array of {@link LuaValue} containing the first sequenctial elements to use in initialization - * in order {@code {value-1, value-2, ...} }, or null if there are none - * @param lastarg {@link Varargs} containing additional values to use in the sequential part of the initialization, - * to be put after the last unnamedValues element - * @return new {@link LuaTable} instance with named and sequential values supplied. - */ - public static LuaTable tableOf(LuaValue[] namedValues, LuaValue[] unnamedValues, Varargs lastarg) {return new LuaTable(namedValues,unnamedValues,lastarg); } - - /** Construct a LuaUserdata for an object. - * - * @param o The java instance to be wrapped as userdata - * @return {@link LuaUserdata} value wrapping the java instance. - */ - public static LuaUserdata userdataOf(Object o) { return new LuaUserdata(o); } - - /** Construct a LuaUserdata for an object with a user supplied metatable. - * - * @param o The java instance to be wrapped as userdata - * @param metatable The metatble to associate with the userdata instance. - * @return {@link LuaUserdata} value wrapping the java instance. - */ - public static LuaUserdata userdataOf(Object o,LuaValue metatable) { return new LuaUserdata(o,metatable); } - - /** Constant limiting metatag loop processing */ - private static final int MAXTAGLOOP = 100; - - /** - * Return value for field reference including metatag processing, or {@link LuaValue#NIL} if it doesn't exist. - * @param t {@link LuaValue} on which field is being referenced, typically a table or something with the metatag {@link LuaValue#INDEX} defined - * @param key {@link LuaValue} naming the field to reference - * @return {@link LuaValue} for the {@code key} if it exists, or {@link LuaValue#NIL} - * @throws LuaError if there is a loop in metatag processing - */ - /** get value from metatable operations, or NIL if not defined by metatables */ - protected static LuaValue gettable(LuaValue t, LuaValue key) { - LuaValue tm; - int loop = 0; - do { - if (t.istable()) { - LuaValue res = t.rawget(key); - if ((!res.isnil()) || (tm = t.metatag(INDEX)).isnil()) - return res; - } else if ((tm = t.metatag(INDEX)).isnil()) - t.indexerror(); - if (tm.isfunction()) - return tm.call(t, key); - t = tm; - } - while ( ++loop < MAXTAGLOOP ); - error("loop in gettable"); - return NIL; - } - - /** - * Perform field assignment including metatag processing. - * @param t {@link LuaValue} on which value is being set, typically a table or something with the metatag {@link LuaValue#NEWINDEX} defined - * @param key {@link LuaValue} naming the field to assign - * @param value {@link LuaValue} the new value to assign to {@code key} - * @throws LuaError if there is a loop in metatag processing - * @return true if assignment or metatag processing succeeded, false otherwise - */ - protected static boolean settable(LuaValue t, LuaValue key, LuaValue value) { - LuaValue tm; - int loop = 0; - do { - if (t.istable()) { - if ((!t.rawget(key).isnil()) || (tm = t.metatag(NEWINDEX)).isnil()) { - t.rawset(key, value); - return true; - } - } else if ((tm = t.metatag(NEWINDEX)).isnil()) - t.typerror("index"); - if (tm.isfunction()) { - tm.call(t, key, value); - return true; - } - t = tm; - } - while ( ++loop < MAXTAGLOOP ); - error("loop in settable"); - return false; - } - - /** - * Get particular metatag, or return {@link LuaValue#NIL} if it doesn't exist - * @param tag Metatag name to look up, typically a string such as - * {@link LuaValue#INDEX} or {@link LuaValue#NEWINDEX} - * @param reason Description of error when tag lookup fails. - * @return {@link LuaValue} for tag {@code reason}, or {@link LuaValue#NIL} - */ - public LuaValue metatag(LuaValue tag) { - LuaValue mt = getmetatable(); - if ( mt == null ) - return NIL; - return mt.rawget(tag); - } - - /** - * Get particular metatag, or throw {@link LuaError} if it doesn't exist - * @param tag Metatag name to look up, typically a string such as - * {@link LuaValue#INDEX} or {@link LuaValue#NEWINDEX} - * @param reason Description of error when tag lookup fails. - * @return {@link LuaValue} that can be called - * @throws LuaError when the lookup fails. - */ - protected LuaValue checkmetatag(LuaValue tag, String reason) { - LuaValue h = this.metatag(tag); - if ( h.isnil() ) - throw new LuaError(reason+typename()); - return h; - } - - /** Throw {@link LuaError} indicating index was attempted on illegal type - * @throws LuaError when called. - */ - private void indexerror() { - error( "attempt to index ? (a "+typename()+" value)" ); - } - - /** Construct a {@link Varargs} around an array of {@link LuaValue}s. - * - * @param v The array of {@link LuaValue}s - * @param more {@link Varargs} contain values to include at the end - * @return {@link Varargs} wrapping the supplied values. - * @see LuaValue#varargsOf(LuaValue, Varargs) - * @see LuaValue#varargsOf(LuaValue[], int, int) - */ - public static Varargs varargsOf(final LuaValue[] v) { - switch ( v.length ) { - case 0: return NONE; - case 1: return v[0]; - case 2: return new PairVarargs(v[0],v[1]); - default: return new ArrayVarargs(v,NONE); - } - } - - /** Construct a {@link Varargs} around an array of {@link LuaValue}s. - * - * @param v The array of {@link LuaValue}s - * @param more {@link Varargs} contain values to include at the end - * @return {@link Varargs} wrapping the supplied values. - * @see LuaValue#varargsOf(LuaValue[]) - * @see LuaValue#varargsOf(LuaValue[], int, int, Varargs) - */ - public static Varargs varargsOf(final LuaValue[] v,Varargs r) { - switch ( v.length ) { - case 0: return r; - case 1: return new PairVarargs(v[0],r); - default: return new ArrayVarargs(v,r); - } - } - - /** Construct a {@link Varargs} around an array of {@link LuaValue}s. - * - * @param v The array of {@link LuaValue}s - * @param offset number of initial values to skip in the array - * @param length number of values to include from the array - * @return {@link Varargs} wrapping the supplied values. - * @see LuaValue#varargsOf(LuaValue[]) - * @see LuaValue#varargsOf(LuaValue[], int, int, Varargs) - */ - public static Varargs varargsOf(final LuaValue[] v, final int offset, final int length) { - switch ( length ) { - case 0: return NONE; - case 1: return v[offset]; - case 2: return new PairVarargs(v[offset+0],v[offset+1]); - default: return new ArrayPartVarargs(v,offset,length); - } - } - - /** Construct a {@link Varargs} around an array of {@link LuaValue}s. - * - * @param v The array of {@link LuaValue}s - * @param offset number of initial values to skip in the array - * @param length number of values to include from the array - * @param more {@link Varargs} contain values to include at the end - * @return {@link Varargs} wrapping the supplied values. - * @see LuaValue#varargsOf(LuaValue[], Varargs) - * @see LuaValue#varargsOf(LuaValue[], int, int) - */ - public static Varargs varargsOf(final LuaValue[] v, final int offset, final int length,Varargs more) { - switch ( length ) { - case 0: return more; - case 1: return new PairVarargs(v[offset],more); - default: return new ArrayPartVarargs(v,offset,length,more); - } - } - - /** Construct a {@link Varargs} around a set of 2 or more {@link LuaValue}s. - *

- * This can be used to wrap exactly 2 values, or a list consisting of 1 initial value - * followed by another variable list of remaining values. - * - * @param v1 First {@link LuaValue} in the {@link Varargs} - * @param v2 {@link LuaValue} supplying the 2rd value, - * or {@link Varargs}s supplying all values beyond the first - * @return {@link Varargs} wrapping the supplied values. - */ - public static Varargs varargsOf(LuaValue v, Varargs r) { - switch ( r.narg() ) { - case 0: return v; - default: return new PairVarargs(v,r); - } - } - - /** Construct a {@link Varargs} around a set of 3 or more {@link LuaValue}s. - *

- * This can be used to wrap exactly 3 values, or a list consisting of 2 initial values - * followed by another variable list of remaining values. - * - * @param v1 First {@link LuaValue} in the {@link Varargs} - * @param v2 Second {@link LuaValue} in the {@link Varargs} - * @param v3 {@link LuaValue} supplying the 3rd value, - * or {@link Varargs}s supplying all values beyond the second - * @return {@link Varargs} wrapping the supplied values. - */ - public static Varargs varargsOf(LuaValue v1,LuaValue v2,Varargs v3) { - switch ( v3.narg() ) { - case 0: return new PairVarargs(v1,v2); - default: return new ArrayVarargs(new LuaValue[] {v1,v2},v3); - } - } - - /** Construct a {@link TailcallVarargs} around a function and arguments. - *

- * The tail call is not yet called or processing until the client invokes - * {@link TailcallVarargs#eval()} which performs the tail call processing. - *

- * This method is typically not used directly by client code. - * Instead use one of the function invocation methods. - * - * @param func {@link LuaValue} to be called as a tail call - * @param args {@link Varargs} containing the arguments to the call - * @return {@link TailcallVarargs} to be used in tailcall oprocessing. - * @see LuaValue#call() - * @see LuaValue#invoke() - * @see LuaValue#method(LuaValue) - * @see LuaValue#invokemethod(LuaValue) - */ - public static Varargs tailcallOf(LuaValue func, Varargs args) { - return new TailcallVarargs(func, args); - } - - /** - * Callback used during tail call processing to invoke the function once. - *

- * This may return a {@link TailcallVarargs} to be evaluated by the client. - *

- * This should not be called directly, instead use on of the call invocation functions. - * - * @param args the arguments to the call invocation. - * @return Varargs the return values, possible a TailcallVarargs. - * @see LuaValue#call() - * @see LuaValue#invoke() - * @see LuaValue#method(LuaValue) - * @see LuaValue#invokemethod(LuaValue) - */ - public Varargs onInvoke(Varargs args) { - return invoke(args); - } - - /** Varargs implemenation with no values. - *

- * This is an internal class not intended to be used directly. - * Instead use the predefined constant {@link LuaValue#NONE} - * - * @see LuaValue#NONE - */ - private static final class None extends LuaNil { - static None _NONE = new None(); - public LuaValue arg(int i) { return NIL; } - public int narg() { return 0; } - public LuaValue arg1() { return NIL; } - public String tojstring() { return "none"; } - } - - /** Varargs implemenation backed by an array of LuaValues - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static methods on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue[]) - * @see LuaValue#varargsOf(LuaValue[], Varargs) - */ - static final class ArrayVarargs extends Varargs { - private final LuaValue[] v; - private final Varargs r; - /** Construct a Varargs from an array of LuaValue. - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static methods on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue[]) - * @see LuaValue#varargsOf(LuaValue[], Varargs) - */ - ArrayVarargs(LuaValue[] v, Varargs r) { - this.v = v; - this.r = r ; - } - public LuaValue arg(int i) { - return i >=1 && i<=v.length? v[i - 1]: r.arg(i-v.length); - } - public int narg() { - return v.length+r.narg(); - } - public LuaValue arg1() { return v.length>0? v[0]: r.arg1(); } - } - - /** Varargs implemenation backed by an array of LuaValues - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static methods on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue[], int, int) - * @see LuaValue#varargsOf(LuaValue[], int, int, Varargs) - */ - static final class ArrayPartVarargs extends Varargs { - private final int offset; - private final LuaValue[] v; - private final int length; - private final Varargs more; - /** Construct a Varargs from an array of LuaValue. - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static methods on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue[], int, int) - */ - ArrayPartVarargs(LuaValue[] v, int offset, int length) { - this.v = v; - this.offset = offset; - this.length = length; - this.more = NONE; - } - /** Construct a Varargs from an array of LuaValue and additional arguments. - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static method on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue[], int, int, Varargs) - */ - public ArrayPartVarargs(LuaValue[] v, int offset, int length, Varargs more) { - this.v = v; - this.offset = offset; - this.length = length; - this.more = more; - } - public LuaValue arg(int i) { - return i>=1&&i<=length? v[i+offset-1]: more.arg(i-length); - } - public int narg() { - return length + more.narg(); - } - public LuaValue arg1() { - return length>0? v[offset]: more.arg1(); - } - } - - /** Varargs implemenation backed by two values. - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static method on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue, Varargs) - */ - static final class PairVarargs extends Varargs { - private final LuaValue v1; - private final Varargs v2; - /** Construct a Varargs from an two LuaValue. - *

- * This is an internal class not intended to be used directly. - * Instead use the corresponding static method on LuaValue. - * - * @see LuaValue#varargsOf(LuaValue, Varargs) - */ - PairVarargs(LuaValue v1, Varargs v2) { - this.v1 = v1; - this.v2 = v2; - } - public LuaValue arg(int i) { - return i==1? v1: v2.arg(i-1); - } - public int narg() { - return 1+v2.narg(); - } - public LuaValue arg1() { - return v1; - } - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/OrphanedThread.java b/luaj-2.0.3/src/core/org/luaj/vm2/OrphanedThread.java deleted file mode 100644 index 668217be3..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/OrphanedThread.java +++ /dev/null @@ -1,44 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2012 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - -/** - * {@link java.lang.Error} sublcass that indicates a lua thread that is no - * longer referenced has been detected. - *

- * The java thread in which this is thrown should correspond to a - * {@link LuaThread} being used as a coroutine that could not possibly be - * resumed again because there are no more references to the LuaThread with - * which it is associated. Rather than locking up resources forever, this error - * is thrown, and should fall through all the way to the thread's {@link Thread.run}() method. - *

- * Java code mixed with the luaj vm should not catch this error because it may - * occur when the coroutine is not running, so any processing done during error - * handling could break the thread-safety of the application because other lua - * processing could be going on in a different thread. - */ -public class OrphanedThread extends Error { - - public OrphanedThread() { - super("orphaned thread"); - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/Print.java b/luaj-2.0.3/src/core/org/luaj/vm2/Print.java deleted file mode 100644 index 72c2f8f92..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/Print.java +++ /dev/null @@ -1,417 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -import java.io.ByteArrayOutputStream; -import java.io.PrintStream; - -/** - * Debug helper class to pretty-print lua bytecodes. - * @see Prototype - * @see LuaClosure - */ -public class Print extends Lua { - - /** opcode names */ - private static final String STRING_FOR_NULL = "null"; - public static PrintStream ps = System.out; - - public static final String[] OPNAMES = { - "MOVE", - "LOADK", - "LOADBOOL", - "LOADNIL", - "GETUPVAL", - "GETGLOBAL", - "GETTABLE", - "SETGLOBAL", - "SETUPVAL", - "SETTABLE", - "NEWTABLE", - "SELF", - "ADD", - "SUB", - "MUL", - "DIV", - "MOD", - "POW", - "UNM", - "NOT", - "LEN", - "CONCAT", - "JMP", - "EQ", - "LT", - "LE", - "TEST", - "TESTSET", - "CALL", - "TAILCALL", - "RETURN", - "FORLOOP", - "FORPREP", - "TFORLOOP", - "SETLIST", - "CLOSE", - "CLOSURE", - "VARARG", - null, - }; - - - static void printString(PrintStream ps, final LuaString s) { - - ps.print('"'); - for (int i = 0, n = s.m_length; i < n; i++) { - int c = s.m_bytes[s.m_offset+i]; - if ( c >= ' ' && c <= '~' && c != '\"' && c != '\\' ) - ps.print((char) c); - else { - switch (c) { - case '"': - ps.print("\\\""); - break; - case '\\': - ps.print("\\\\"); - break; - case 0x0007: /* bell */ - ps.print("\\a"); - break; - case '\b': /* backspace */ - ps.print("\\b"); - break; - case '\f': /* form feed */ - ps.print("\\f"); - break; - case '\t': /* tab */ - ps.print("\\t"); - break; - case '\r': /* carriage return */ - ps.print("\\r"); - break; - case '\n': /* newline */ - ps.print("\\n"); - break; - case 0x000B: /* vertical tab */ - ps.print("\\v"); - break; - default: - ps.print('\\'); - ps.print(Integer.toString(1000 + 0xff&c).substring(1)); - break; - } - } - } - ps.print('"'); - } - - static void printValue( PrintStream ps, LuaValue v ) { - switch ( v.type() ) { - case LuaValue.TSTRING: printString( ps, (LuaString) v ); break; - default: ps.print( v.tojstring() ); - - } - } - - static void printConstant(PrintStream ps, Prototype f, int i) { - printValue( ps, f.k[i] ); - } - - /** - * Print the code in a prototype - * @param f the {@link Prototype} - */ - public static void printCode(Prototype f) { - int[] code = f.code; - int pc, n = code.length; - for (pc = 0; pc < n; pc++) { - printOpCode(f, pc); - ps.println(); - } - } - - /** - * Print an opcode in a prototype - * @param f the {@link Prototype} - * @param pc the program counter to look up and print - */ - public static void printOpCode(Prototype f, int pc) { - printOpCode(ps,f,pc); - } - - /** - * Print an opcode in a prototype - * @param ps the {@link PrintStream} to print to - * @param f the {@link Prototype} - * @param pc the program counter to look up and print - */ - public static void printOpCode(PrintStream ps, Prototype f, int pc) { - int[] code = f.code; - int i = code[pc]; - int o = GET_OPCODE(i); - int a = GETARG_A(i); - int b = GETARG_B(i); - int c = GETARG_C(i); - int bx = GETARG_Bx(i); - int sbx = GETARG_sBx(i); - int line = getline(f, pc); - ps.print(" " + (pc + 1) + " "); - if (line > 0) - ps.print("[" + line + "] "); - else - ps.print("[-] "); - ps.print(OPNAMES[o] + " "); - switch (getOpMode(o)) { - case iABC: - ps.print( a ); - if (getBMode(o) != OpArgN) - ps.print(" "+(ISK(b) ? (-1 - INDEXK(b)) : b)); - if (getCMode(o) != OpArgN) - ps.print(" "+(ISK(c) ? (-1 - INDEXK(c)) : c)); - break; - case iABx: - if (getBMode(o) == OpArgK) { - ps.print(a + " " + (-1 - bx)); - } else { - ps.print(a + " " + (bx)); - } - break; - case iAsBx: - if (o == OP_JMP) - ps.print( sbx ); - else - ps.print(a + " " + sbx); - break; - } - switch (o) { - case OP_LOADK: - ps.print(" ; "); - printConstant(ps, f, bx); - break; - case OP_GETUPVAL: - case OP_SETUPVAL: - ps.print(" ; "); - if ( f.upvalues.length > b ) - printValue(ps, f.upvalues[b]); - else - ps.print( "-" ); - break; - case OP_GETGLOBAL: - case OP_SETGLOBAL: - ps.print(" ; "); - printConstant( ps, f, bx ); - break; - case OP_GETTABLE: - case OP_SELF: - if (ISK(c)) { - ps.print(" ; "); - printConstant(ps, f, INDEXK(c)); - } - break; - case OP_SETTABLE: - case OP_ADD: - case OP_SUB: - case OP_MUL: - case OP_DIV: - case OP_POW: - case OP_EQ: - case OP_LT: - case OP_LE: - if (ISK(b) || ISK(c)) { - ps.print(" ; "); - if (ISK(b)) - printConstant(ps, f, INDEXK(b)); - else - ps.print("-"); - ps.print(" "); - if (ISK(c)) - printConstant(ps, f, INDEXK(c)); - else - ps.print("-"); - } - break; - case OP_JMP: - case OP_FORLOOP: - case OP_FORPREP: - ps.print(" ; to " + (sbx + pc + 2)); - break; - case OP_CLOSURE: - ps.print(" ; " + f.p[bx].getClass().getName()); - break; - case OP_SETLIST: - if (c == 0) - ps.print(" ; " + ((int) code[++pc])); - else - ps.print(" ; " + ((int) c)); - break; - case OP_VARARG: - ps.print( " ; is_vararg="+ f.is_vararg ); - break; - default: - break; - } - } - - private static int getline(Prototype f, int pc) { - return pc>0 && f.lineinfo!=null && pc (" + f.code.length + " instructions, " - + f.code.length * 4 + " bytes at " + id(f) + ")\n"); - ps.print(f.numparams + " param, " + f.maxstacksize + " slot, " - + f.upvalues.length + " upvalue, "); - ps.print(f.locvars.length + " local, " + f.k.length - + " constant, " + f.p.length + " function\n"); - } - - static void printConstants(Prototype f) { - int i, n = f.k.length; - ps.print("constants (" + n + ") for " + id(f) + ":\n"); - for (i = 0; i < n; i++) { - ps.print(" " + (i + 1) + " "); - printValue( ps, f.k[i] ); - ps.print( "\n"); - } - } - - static void printLocals(Prototype f) { - int i, n = f.locvars.length; - ps.print("locals (" + n + ") for " + id(f) + ":\n"); - for (i = 0; i < n; i++) { - ps.println(" "+i+" "+f.locvars[i].varname+" "+(f.locvars[i].startpc+1)+" "+(f.locvars[i].endpc+1)); - } - } - - static void printUpValues(Prototype f) { - int i, n = f.upvalues.length; - ps.print("upvalues (" + n + ") for " + id(f) + ":\n"); - for (i = 0; i < n; i++) { - ps.print(" " + i + " " + f.upvalues[i] + "\n"); - } - } - - public static void print(Prototype p) { - printFunction(p, true); - } - - public static void printFunction(Prototype f, boolean full) { - int i, n = f.p.length; - printHeader(f); - printCode(f); - if (full) { - printConstants(f); - printLocals(f); - printUpValues(f); - } - for (i = 0; i < n; i++) - printFunction(f.p[i], full); - } - - private static void format( String s, int maxcols ) { - int n = s.length(); - if ( n > maxcols ) - ps.print( s.substring(0,maxcols) ); - else { - ps.print( s ); - for ( int i=maxcols-n; --i>=0; ) - ps.print( ' ' ); - } - } - - private static String id(Prototype f) { - return "Proto"; - } - private void _assert(boolean b) { - if ( !b ) - throw new NullPointerException("_assert failed"); - } - - /** - * Print the state of a {@link LuaClosure} that is being executed - * @param cl the {@link LuaClosure} - * @param pc the program counter - * @param stack the stack of {@link LuaValue} - * @param top the top of the stack - * @param varargs any {@link Varargs} value that may apply - */ - public static void printState(LuaClosure cl, int pc, LuaValue[] stack, int top, Varargs varargs) { - // print opcode into buffer - PrintStream previous = ps; - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - ps = new PrintStream( baos ); - printOpCode( cl.p, pc ); - ps.flush(); - ps.close(); - ps = previous; - format( baos.toString(), 50 ); - - // print stack - ps.print('['); - for ( int i=0; i - * This is both a straight translation of the corresponding C type, - * and the main data structure for execution of compiled lua bytecode. - *

- * See documentatation on {@link LuaClosure} for information on how to load - * and execute a {@link Prototype}. - * @see LuaClosure - */ - -public class Prototype { - /* constants used by the function */ - public LuaValue[] k; - public int[] code; - /* functions defined inside the function */ - public Prototype[] p; - /* map from opcodes to source lines */ - public int[] lineinfo; - /* information about local variables */ - public LocVars[] locvars; - /* upvalue names */ - public LuaString[] upvalues; - public LuaString source; - public int nups; - public int linedefined; - public int lastlinedefined; - public int numparams; - public int is_vararg; - public int maxstacksize; - - - public String toString() { - return source + ":" + linedefined+"-"+lastlinedefined; - } - - /** Get the name of a local variable. - * - * @param number the local variable number to look up - * @param pc the program counter - * @return the name, or null if not found - */ - public LuaString getlocalname(int number, int pc) { - int i; - for (i = 0; i - * Since Java doesn't have direct support for tail calls, - * any lua function whose {@link Prototype} contains the - * {@link Lua#OP_TAILCALL} bytecode needs a mechanism - * for tail calls when converting lua-bytecode to java-bytecode. - *

- * The tail call holds the next function and arguments, - * and the client a call to {@link #eval()} executes the function - * repeatedly until the tail calls are completed. - *

- * Normally, users of luaj need not concern themselves with the - * details of this mechanism, as it is built into the core - * execution framework. - * @see Prototype - * @see LuaJC - */ -public class TailcallVarargs extends Varargs { - - private LuaValue func; - private Varargs args; - private Varargs result; - - public TailcallVarargs(LuaValue f, Varargs args) { - this.func = f; - this.args = args; - } - - public TailcallVarargs(LuaValue object, LuaValue methodname, Varargs args) { - this.func = object.get(methodname); - this.args = LuaValue.varargsOf(object, args); - } - - public boolean isTailcall() { - return true; - } - - public Varargs eval() { - while ( result == null ) { - Varargs r = func.onInvoke(args); - if (r.isTailcall()) { - TailcallVarargs t = (TailcallVarargs) r; - func = t.func; - args = t.args; - } - else { - result = r; - func = null; - args = null; - } - } - return result; - } - - public LuaValue arg( int i ) { - if ( result == null ) - eval(); - return result.arg(i); - } - - public LuaValue arg1() { - if (result == null) - eval(); - return result.arg1(); - } - - public int narg() { - if (result == null) - eval(); - return result.narg(); - } -} \ No newline at end of file diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/UpValue.java b/luaj-2.0.3/src/core/org/luaj/vm2/UpValue.java deleted file mode 100644 index 072dd3484..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/UpValue.java +++ /dev/null @@ -1,77 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - - -/** Upvalue used with Closure formulation - *

- * @see LuaClosure - * @see Prototype - */ -public final class UpValue { - - LuaValue[] array; // initially the stack, becomes a holder - int index; - - /** - * Create an upvalue relative to a stack - * @param stack the stack - * @param index the index on the stack for the upvalue - */ - public UpValue( LuaValue[] stack, int index) { - this.array = stack; - this.index = index; - } - - /** - * Convert this upvalue to a Java String - * @return the Java String for this upvalue. - * @see LuaValue#tojstring() - */ - public String tojstring() { - return array[index].tojstring(); - } - - /** - * Get the value of the upvalue - * @return the {@link LuaValue} for this upvalue - */ - public final LuaValue getValue() { - return array[index]; - } - - /** - * Set the value of the upvalue - * @param the {@link LuaValue} to set it to - */ - public final void setValue( LuaValue value ) { - array[index] = value; - } - - /** - * Close this upvalue so it is no longer on the stack - */ - public final void close() { - array = new LuaValue[] { array[index] }; - index = 0; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/Varargs.java b/luaj-2.0.3/src/core/org/luaj/vm2/Varargs.java deleted file mode 100644 index 340bdd20c..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/Varargs.java +++ /dev/null @@ -1,537 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2; - -/** - * Class to encapsulate varargs values, either as part of a variable argument list, or multiple return values. - *

- * To construct varargs, use one of the static methods such as - * {@code LuaValue.varargsOf(LuaValue,LuaValue)} - *

- *

- * Any LuaValue can be used as a stand-in for Varargs, for both calls and return values. - * When doing so, nargs() will return 1 and arg1() or arg(1) will return this. - * This simplifies the case when calling or implementing varargs functions with only - * 1 argument or 1 return value. - *

- * Varargs can also be derived from other varargs by appending to the front with a call - * such as {@code LuaValue.varargsOf(LuaValue,Varargs)} - * or by taking a portion of the args using {@code Varargs.subargs(int start)} - *

- * @see LuaValue#varargsOf(LuaValue[]) - * @see LuaValue#varargsOf(LuaValue, Varargs) - * @see LuaValue#varargsOf(LuaValue[], Varargs) - * @see LuaValue#varargsOf(LuaValue, LuaValue, Varargs) - * @see LuaValue#varargsOf(LuaValue[], int, int) - * @see LuaValue#varargsOf(LuaValue[], int, int, Varargs) - * @see LuaValue#subargs(int) - */ -public abstract class Varargs { - - /** - * Get the n-th argument value (1-based). - * @param i the index of the argument to get, 1 is the first argument - * @return Value at position i, or LuaValue.NIL if there is none. - * @see Varargs#arg1() - * @see LuaValue#NIL - */ - abstract public LuaValue arg( int i ); - - /** - * Get the number of arguments, or 0 if there are none. - * @return number of arguments. - */ - abstract public int narg(); - - /** - * Get the first argument in the list. - * @return LuaValue which is first in the list, or LuaValue.NIL if there are no values. - * @see Varargs#arg(int) - * @see LuaValue#NIL - */ - abstract public LuaValue arg1(); - - /** - * Evaluate any pending tail call and return result. - * @return the evaluated tail call result - */ - public Varargs eval() { return this; } - - /** - * Return true if this is a TailcallVarargs - * @return true if a tail call, false otherwise - */ - public boolean isTailcall() { - return false; - } - - // ----------------------------------------------------------------------- - // utilities to get specific arguments and type-check them. - // ----------------------------------------------------------------------- - - /** Gets the type of argument {@code i} - * @param i the index of the argument to convert, 1 is the first argument - * @return int value corresponding to one of the LuaValue integer type values - * @see LuaValue.TNIL - * @see LuaValue.TBOOLEAN - * @see LuaValue.TNUMBER - * @see LuaValue.TSTRING - * @see LuaValue.TTABLE - * @see LuaValue.TFUNCTION - * @see LuaValue.TUSERDATA - * @see LuaValue.TTHREAD - * */ - public int type(int i) { return arg(i).type(); } - - /** Tests if argument i is nil. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument is nil or does not exist, false otherwise - * @see LuaValue.TNIL - * */ - public boolean isnil(int i) { return arg(i).isnil(); } - - /** Tests if argument i is a function. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a function or closure, false otherwise - * @see LuaValue.TFUNCTION - * */ - public boolean isfunction(int i) { return arg(i).isfunction(); } - - /** Tests if argument i is a number. - * Since anywhere a number is required, a string can be used that - * is a number, this will return true for both numbers and - * strings that can be interpreted as numbers. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a number or - * string that can be interpreted as a number, false otherwise - * @see LuaValue.TNUMBER - * @see LuaValue.TSTRING - * */ - public boolean isnumber(int i) { return arg(i).isnumber(); } - - /** Tests if argument i is a string. - * Since all lua numbers can be used where strings are used, - * this will return true for both strings and numbers. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a string or number, false otherwise - * @see LuaValue.TNUMBER - * @see LuaValue.TSTRING - * */ - public boolean isstring(int i) { return arg(i).isstring(); } - - /** Tests if argument i is a table. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a lua table, false otherwise - * @see LuaValue.TTABLE - * */ - public boolean istable(int i) { return arg(i).istable(); } - - /** Tests if argument i is a thread. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a lua thread, false otherwise - * @see LuaValue.TTHREAD - * */ - public boolean isthread(int i) { return arg(i).isthread(); } - - /** Tests if argument i is a userdata. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists and is a userdata, false otherwise - * @see LuaValue.TUSERDATA - * */ - public boolean isuserdata(int i) { return arg(i).isuserdata(); } - - /** Tests if a value exists at argument i. - * @param i the index of the argument to test, 1 is the first argument - * @return true if the argument exists, false otherwise - * */ - public boolean isvalue(int i) { return i>0 && i<=narg(); } - - /** Return argument i as a boolean value, {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return true if argument i is boolean true, false if it is false, or defval if not supplied or nil - * @exception LuaError if the argument is not a lua boolean - * */ - public boolean optboolean(int i, boolean defval) { return arg(i).optboolean(defval); } - - /** Return argument i as a closure, {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaClosure if argument i is a closure, or defval if not supplied or nil - * @exception LuaError if the argument is not a lua closure - * */ - public LuaClosure optclosure(int i, LuaClosure defval) { return arg(i).optclosure(defval); } - - /** Return argument i as a double, {@code defval} if nil, or throw a LuaError if it cannot be converted to one. - * @param i the index of the argument to test, 1 is the first argument - * @return java double value if argument i is a number or string that converts to a number, or defval if not supplied or nil - * @exception LuaError if the argument is not a number - * */ - public double optdouble(int i, double defval) { return arg(i).optdouble(defval); } - - /** Return argument i as a function, {@code defval} if nil, or throw a LuaError if an incompatible type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaValue that can be called if argument i is lua function or closure, or defval if not supplied or nil - * @exception LuaError if the argument is not a lua function or closure - * */ - public LuaFunction optfunction(int i, LuaFunction defval) { return arg(i).optfunction(defval); } - - /** Return argument i as a java int value, discarding any fractional part, {@code defval} if nil, or throw a LuaError if not a number. - * @param i the index of the argument to test, 1 is the first argument - * @return int value with fraction discarded and truncated if necessary if argument i is number, or defval if not supplied or nil - * @exception LuaError if the argument is not a number - * */ - public int optint(int i, int defval) { return arg(i).optint(defval); } - - /** Return argument i as a java int value, {@code defval} if nil, or throw a LuaError if not a number or is not representable by a java int. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaInteger value that fits in a java int without rounding, or defval if not supplied or nil - * @exception LuaError if the argument cannot be represented by a java int value - * */ - public LuaInteger optinteger(int i, LuaInteger defval) { return arg(i).optinteger(defval); } - - /** Return argument i as a java long value, discarding any fractional part, {@code defval} if nil, or throw a LuaError if not a number. - * @param i the index of the argument to test, 1 is the first argument - * @return long value with fraction discarded and truncated if necessary if argument i is number, or defval if not supplied or nil - * @exception LuaError if the argument is not a number - * */ - public long optlong(int i, long defval) { return arg(i).optlong(defval); } - - /** Return argument i as a LuaNumber, {@code defval} if nil, or throw a LuaError if not a number or string that can be converted to a number. - * @param i the index of the argument to test, 1 is the first argument, or defval if not supplied or nil - * @return LuaNumber if argument i is number or can be converted to a number - * @exception LuaError if the argument is not a number - * */ - public LuaNumber optnumber(int i, LuaNumber defval) { return arg(i).optnumber(defval); } - - /** Return argument i as a java String if a string or number, {@code defval} if nil, or throw a LuaError if any other type - * @param i the index of the argument to test, 1 is the first argument - * @return String value if argument i is a string or number, or defval if not supplied or nil - * @exception LuaError if the argument is not a string or number - * */ - public String optjstring(int i, String defval) { return arg(i).optjstring(defval); } - - /** Return argument i as a LuaString if a string or number, {@code defval} if nil, or throw a LuaError if any other type - * @param i the index of the argument to test, 1 is the first argument - * @return LuaString value if argument i is a string or number, or defval if not supplied or nil - * @exception LuaError if the argument is not a string or number - * */ - public LuaString optstring(int i, LuaString defval) { return arg(i).optstring(defval); } - - /** Return argument i as a LuaTable if a lua table, {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaTable value if a table, or defval if not supplied or nil - * @exception LuaError if the argument is not a lua table - * */ - public LuaTable opttable(int i, LuaTable defval) { return arg(i).opttable(defval); } - - /** Return argument i as a LuaThread if a lua thread, {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaThread value if a thread, or defval if not supplied or nil - * @exception LuaError if the argument is not a lua thread - * */ - public LuaThread optthread(int i, LuaThread defval) { return arg(i).optthread(defval); } - - /** Return argument i as a java Object if a userdata, {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return java Object value if argument i is a userdata, or defval if not supplied or nil - * @exception LuaError if the argument is not a userdata - * */ - public Object optuserdata(int i, Object defval) { return arg(i).optuserdata(defval); } - - /** Return argument i as a java Object if it is a userdata whose instance Class c or a subclass, - * {@code defval} if nil, or throw a LuaError if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @param c the class to which the userdata instance must be assignable - * @return java Object value if argument i is a userdata whose instance Class c or a subclass, or defval if not supplied or nil - * @exception LuaError if the argument is not a userdata or from whose instance c is not assignable - * */ - public Object optuserdata(int i, Class c, Object defval) { return arg(i).optuserdata(c,defval); } - - /** Return argument i as a LuaValue if it exists, or {@code defval}. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaValue value if the argument exists, defval if not - * @exception LuaError if the argument does not exist. - * */ - public LuaValue optvalue(int i, LuaValue defval) { return i>0 && i<=narg()? arg(i): defval; } - - /** Return argument i as a boolean value, or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return true if argument i is boolean true, false if it is false - * @exception LuaError if the argument is not a lua boolean - * */ - public boolean checkboolean(int i) { return arg(i).checkboolean(); } - - /** Return argument i as a closure, or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaClosure if argument i is a closure. - * @exception LuaError if the argument is not a lua closure - * */ - public LuaClosure checkclosure(int i) { return arg(i).checkclosure(); } - - /** Return argument i as a double, or throw an error if it cannot be converted to one. - * @param i the index of the argument to test, 1 is the first argument - * @return java double value if argument i is a number or string that converts to a number - * @exception LuaError if the argument is not a number - * */ - public double checkdouble(int i) { return arg(i).checknumber().todouble(); } - - /** Return argument i as a function, or throw an error if an incompatible type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaValue that can be called if argument i is lua function or closure - * @exception LuaError if the argument is not a lua function or closure - * */ - public LuaValue checkfunction(int i) { return arg(i).checkfunction(); } - - /** Return argument i as a java int value, discarding any fractional part, or throw an error if not a number. - * @param i the index of the argument to test, 1 is the first argument - * @return int value with fraction discarded and truncated if necessary if argument i is number - * @exception LuaError if the argument is not a number - * */ - public int checkint(int i) { return arg(i).checknumber().toint(); } - - /** Return argument i as a java int value, or throw an error if not a number or is not representable by a java int. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaInteger value that fits in a java int without rounding - * @exception LuaError if the argument cannot be represented by a java int value - * */ - public LuaInteger checkinteger(int i) { return arg(i).checkinteger(); } - - /** Return argument i as a java long value, discarding any fractional part, or throw an error if not a number. - * @param i the index of the argument to test, 1 is the first argument - * @return long value with fraction discarded and truncated if necessary if argument i is number - * @exception LuaError if the argument is not a number - * */ - public long checklong(int i) { return arg(i).checknumber().tolong(); } - - /** Return argument i as a LuaNumber, or throw an error if not a number or string that can be converted to a number. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaNumber if argument i is number or can be converted to a number - * @exception LuaError if the argument is not a number - * */ - public LuaNumber checknumber(int i) { return arg(i).checknumber(); } - - /** Return argument i as a java String if a string or number, or throw an error if any other type - * @param i the index of the argument to test, 1 is the first argument - * @return String value if argument i is a string or number - * @exception LuaError if the argument is not a string or number - * */ - public String checkjstring(int i) { return arg(i).checkjstring(); } - - /** Return argument i as a LuaString if a string or number, or throw an error if any other type - * @param i the index of the argument to test, 1 is the first argument - * @return LuaString value if argument i is a string or number - * @exception LuaError if the argument is not a string or number - * */ - public LuaString checkstring(int i) { return arg(i).checkstring(); } - - /** Return argument i as a LuaTable if a lua table, or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaTable value if a table - * @exception LuaError if the argument is not a lua table - * */ - public LuaTable checktable(int i) { return arg(i).checktable(); } - - /** Return argument i as a LuaThread if a lua thread, or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaThread value if a thread - * @exception LuaError if the argument is not a lua thread - * */ - public LuaThread checkthread(int i) { return arg(i).checkthread(); } - - /** Return argument i as a java Object if a userdata, or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @return java Object value if argument i is a userdata - * @exception LuaError if the argument is not a userdata - * */ - public Object checkuserdata(int i) { return arg(i).checkuserdata(); } - - /** Return argument i as a java Object if it is a userdata whose instance Class c or a subclass, - * or throw an error if any other type. - * @param i the index of the argument to test, 1 is the first argument - * @param c the class to which the userdata instance must be assignable - * @return java Object value if argument i is a userdata whose instance Class c or a subclass - * @exception LuaError if the argument is not a userdata or from whose instance c is not assignable - * */ - public Object checkuserdata(int i,Class c) { return arg(i).checkuserdata(c); } - - /** Return argument i as a LuaValue if it exists, or throw an error. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaValue value if the argument exists - * @exception LuaError if the argument does not exist. - * */ - public LuaValue checkvalue(int i) { return i<=narg()? arg(i): LuaValue.argerror(i,"value expected"); } - - /** Return argument i as a LuaValue if it is not nil, or throw an error if it is nil. - * @param i the index of the argument to test, 1 is the first argument - * @return LuaValue value if the argument is not nil - * @exception LuaError if the argument doesn't exist or evaluates to nil. - * */ - public LuaValue checknotnil(int i) { return arg(i).checknotnil(); } - - /** Return argument i as a LuaValue when a user-supplied assertion passes, or throw an error. - * @param test user supplied assertion to test against - * @param i the index to report in any error message - * @param msg the error message to use when the test fails - * @return LuaValue value if the value of {@code test} is {@code true} - * @exception LuaError if the the value of {@code test} is {@code false} - * */ - public void argcheck(boolean test, int i, String msg) { if (!test) LuaValue.argerror(i,msg); } - - /** Return true if there is no argument or nil at argument i. - * @param i the index of the argument to test, 1 is the first argument - * @return true if argument i contains either no argument or nil - * */ - public boolean isnoneornil(int i) { - return i>narg() || arg(i).isnil(); - } - - /** Convert argument {@code i} to java boolean based on lua rules for boolean evaluation. - * @param i the index of the argument to convert, 1 is the first argument - * @return {@code false} if argument i is nil or false, otherwise {@code true} - * */ - public boolean toboolean(int i) { return arg(i).toboolean(); } - - /** Return argument i as a java byte value, discarding any fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return byte value with fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public byte tobyte(int i) { return arg(i).tobyte(); } - - /** Return argument i as a java char value, discarding any fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return char value with fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public char tochar(int i) { return arg(i).tochar(); } - - /** Return argument i as a java double value or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return double value if argument i is number, otherwise 0 - * */ - public double todouble(int i) { return arg(i).todouble(); } - - /** Return argument i as a java float value, discarding excess fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return float value with excess fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public float tofloat(int i) { return arg(i).tofloat(); } - - /** Return argument i as a java int value, discarding any fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return int value with fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public int toint(int i) { return arg(i).toint(); } - - /** Return argument i as a java long value, discarding any fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return long value with fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public long tolong(int i) { return arg(i).tolong(); } - - /** Return argument i as a java String based on the type of the argument. - * @param i the index of the argument to convert, 1 is the first argument - * @return String value representing the type - * */ - public String tojstring(int i) { return arg(i).tojstring(); } - - /** Return argument i as a java short value, discarding any fractional part and truncating, - * or 0 if not a number. - * @param i the index of the argument to convert, 1 is the first argument - * @return short value with fraction discarded and truncated if necessary if argument i is number, otherwise 0 - * */ - public short toshort(int i) { return arg(i).toshort(); } - - /** Return argument i as a java Object if a userdata, or null. - * @param i the index of the argument to convert, 1 is the first argument - * @return java Object value if argument i is a userdata, otherwise null - * */ - public Object touserdata(int i) { return arg(i).touserdata(); } - - /** Return argument i as a java Object if it is a userdata whose instance Class c or a subclass, or null. - * @param i the index of the argument to convert, 1 is the first argument - * @param c the class to which the userdata instance must be assignable - * @return java Object value if argument i is a userdata whose instance Class c or a subclass, otherwise null - * */ - public Object touserdata(int i,Class c) { return arg(i).touserdata(c); } - - /** Convert the list of varargs values to a human readable java String. - * @return String value in human readable form such as {1,2}. - */ - public String tojstring() { - Buffer sb = new Buffer(); - sb.append( "(" ); - for ( int i=1,n=narg(); i<=n; i++ ) { - if (i>1) sb.append( "," ); - sb.append( arg(i).tojstring() ); - } - sb.append( ")" ); - return sb.tojstring(); - } - - /** Convert the value or values to a java String using Varargs.tojstring() - * @return String value in human readable form. - * @see Varargs#tojstring() - */ - public String toString() { return tojstring(); } - - /** - * Create a {@code Varargs} instance containing arguments starting at index {@code start} - * @param start the index from which to include arguments, where 1 is the first argument. - * @return Varargs containing argument { start, start+1, ... , narg-start-1 } - */ - public Varargs subargs(final int start) { - int end = narg(); - switch ( end-start ) { - case 0: return arg(start); - case 1: return new LuaValue.PairVarargs(arg(start),arg(end)); - } - return end=start && i<=end? v.arg(i): LuaValue.NIL; - } - public LuaValue arg1() { - return v.arg(start); - } - public int narg() { - return end+1-start; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/WeakTable.java b/luaj-2.0.3/src/core/org/luaj/vm2/WeakTable.java deleted file mode 100644 index 32a6334fd..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/WeakTable.java +++ /dev/null @@ -1,349 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2; - -import java.lang.ref.WeakReference; - -import org.luaj.vm2.lib.TwoArgFunction; - -/** - * Subclass of {@link LuaTable} that provides weak key and weak value semantics. - *

- * Normally these are not created directly, but indirectly when changing the mode - * of a {@link LuaTable} as lua script executes. - *

- * However, calling the constructors directly when weak tables are required from - * Java will reduce overhead. - */ -public class WeakTable extends LuaTable { - private boolean weakkeys,weakvalues; - - /** - * Construct a table with weak keys, weak values, or both - * @param weakkeys true to let the table have weak keys - * @param weakvalues true to let the table have weak values - */ - public WeakTable(boolean weakkeys, boolean weakvalues) { - this(weakkeys, weakvalues, 0, 0); - } - - /** - * Construct a table with weak keys, weak values, or both, and an initial capacity - * @param weakkeys true to let the table have weak keys - * @param weakvalues true to let the table have weak values - * @param narray capacity of array part - * @param nhash capacity of hash part - */ - protected WeakTable(boolean weakkeys, boolean weakvalues, int narray, int nhash) { - super(narray, nhash); - this.weakkeys = weakkeys; - this.weakvalues = weakvalues; - } - - /** - * Construct a table with weak keys, weak values, or both, and a source of initial data - * @param weakkeys true to let the table have weak keys - * @param weakvalues true to let the table have weak values - * @param source {@link LuaTable} containing the initial elements - */ - protected WeakTable(boolean weakkeys, boolean weakvalues, LuaTable source) { - this(weakkeys, weakvalues, source.getArrayLength(), source.getHashLength()); - Varargs n; - LuaValue k = NIL; - while ( !(k = ((n = source.next(k)).arg1())).isnil() ) - rawset(k, n.arg(2)); - m_metatable = source.m_metatable; - } - - public void presize( int narray ) { - super.presize(narray); - } - - /** - * Presize capacity of both array and hash parts. - * @param narray capacity of array part - * @param nhash capacity of hash part - */ - public void presize(int narray, int nhash) { - super.presize(narray, nhash); - } - - protected int getArrayLength() { - return super.getArrayLength(); - } - - protected int getHashLength() { - return super.getHashLength(); - } - - protected LuaTable changemode(boolean weakkeys, boolean weakvalues) { - this.weakkeys = weakkeys; - this.weakvalues = weakvalues; - return this; - } - - /** - * Self-sent message to convert a value to its weak counterpart - * @param value value to convert - * @return {@link LuaValue} that is a strong or weak reference, depending on type of {@code value} - */ - LuaValue weaken( LuaValue value ) { - switch ( value.type() ) { - case LuaValue.TFUNCTION: - case LuaValue.TTHREAD: - case LuaValue.TTABLE: - return new WeakValue(value); - case LuaValue.TUSERDATA: - return new WeakUserdata(value); - default: - return value; - } - } - - public void rawset( int key, LuaValue value ) { - if ( weakvalues ) - value = weaken( value ); - super.rawset(key, value); - } - - public void rawset( LuaValue key, LuaValue value ) { - if ( weakvalues ) - value = weaken( value ); - if ( weakkeys ) { - switch ( key.type() ) { - case LuaValue.TFUNCTION: - case LuaValue.TTHREAD: - case LuaValue.TTABLE: - case LuaValue.TUSERDATA: - key = value = new WeakEntry(this, key, value); - break; - default: - break; - } - } - super.rawset(key, value); - } - - - public LuaValue rawget( int key ) { - return super.rawget(key).strongvalue(); - } - - public LuaValue rawget( LuaValue key ) { - return super.rawget(key).strongvalue(); - } - - /** Get the hash value for a key - * key the key to look up - * */ - protected LuaValue hashget(LuaValue key) { - if ( hashEntries > 0 ) { - int i = hashFindSlot(key); - if ( hashEntries == 0 ) - return NIL; - LuaValue v = hashValues[i]; - return v!=null? v: NIL; - } - return NIL; - } - - - // override to remove values for weak keys as we search - public int hashFindSlot(LuaValue key) { - int i = ( key.hashCode() & 0x7FFFFFFF ) % hashKeys.length; - LuaValue k; - while ( ( k = hashKeys[i] ) != null ) { - if ( k.isweaknil() ) { - hashClearSlot(i); - if ( hashEntries == 0 ) - return 0; - } - else { - if ( k.raweq(key.strongkey()) ) - return i; - i = ( i + 1 ) % hashKeys.length; - } - } - return i; - } - - public int maxn() { - return super.maxn(); - } - - - /** - * Get the next element after a particular key in the table - * @return key,value or nil - */ - public Varargs next( LuaValue key ) { - while ( true ) { - Varargs n = super.next(key); - LuaValue k = n.arg1(); - if ( k.isnil() ) - return NIL; - LuaValue ks = k.strongkey(); - LuaValue vs = n.arg(2).strongvalue(); - if ( ks.isnil() || vs.isnil() ) { - super.rawset(k, NIL); - } else { - return varargsOf(ks,vs); - } - } - } - - // ----------------- sort support ----------------------------- - public void sort(final LuaValue comparator) { - super.sort( new TwoArgFunction() { - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return comparator.call( arg1.strongvalue(), arg2.strongvalue() ); - } - } ); - } - - /** Internal class to implement weak values. - * @see WeakTable - */ - static class WeakValue extends LuaValue { - final WeakReference ref; - - protected WeakValue(LuaValue value) { - ref = new WeakReference(value); - } - - public int type() { - illegal("type","weak value"); - return 0; - } - - public String typename() { - illegal("typename","weak value"); - return null; - } - - public String toString() { - return "weak<"+ref.get()+">"; - } - - public LuaValue strongvalue() { - Object o = ref.get(); - return o!=null? (LuaValue)o: NIL; - } - - public boolean raweq(LuaValue rhs) { - Object o = ref.get(); - return o!=null && rhs.raweq((LuaValue)o); - } - - public boolean isweaknil() { - return ref.get() == null; - } - } - - /** Internal class to implement weak userdata values. - * @see WeakTable - */ - static final class WeakUserdata extends WeakValue { - private final WeakReference ob; - private final LuaValue mt; - - private WeakUserdata(LuaValue value) { - super(value); - ob = new WeakReference(value.touserdata()); - mt = value.getmetatable(); - } - - public LuaValue strongvalue() { - Object u = ref.get(); - if ( u != null ) - return (LuaValue) u; - Object o = ob.get(); - return o!=null? userdataOf(o,mt): NIL; - } - - public boolean raweq(LuaValue rhs) { - if ( ! rhs.isuserdata() ) - return false; - LuaValue v = (LuaValue) ref.get(); - if ( v != null && v.raweq(rhs) ) - return true; - return rhs.touserdata() == ob.get(); - } - - public boolean isweaknil() { - return ob.get() == null || ref.get() == null; - } - } - - /** Internal class to implement weak table entries. - * @see WeakTable - */ - static final class WeakEntry extends LuaValue { - final LuaValue weakkey; - LuaValue weakvalue; - final int keyhash; - - private WeakEntry(WeakTable table, LuaValue key, LuaValue weakvalue) { - this.weakkey = table.weaken(key); - this.keyhash = key.hashCode(); - this.weakvalue = weakvalue; - } - - public LuaValue strongkey() { - return weakkey.strongvalue(); - } - - // when looking up the value, look in the keys metatable - public LuaValue strongvalue() { - LuaValue key = weakkey.strongvalue(); - if ( key.isnil() ) - return weakvalue = NIL; - return weakvalue.strongvalue(); - } - - public int type() { - return TNONE; - } - - public String typename() { - illegal("typename","weak entry"); - return null; - } - - public String toString() { - return "weak<"+weakkey.strongvalue()+","+strongvalue()+">"; - } - - public int hashCode() { - return keyhash; - } - - public boolean raweq(LuaValue rhs) { - //return rhs.raweq(weakkey.strongvalue()); - return weakkey.raweq(rhs); - } - - public boolean isweaknil() { - return weakkey.isweaknil() || weakvalue.isweaknil(); - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/DumpState.java b/luaj-2.0.3/src/core/org/luaj/vm2/compiler/DumpState.java deleted file mode 100644 index f02a944c3..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/DumpState.java +++ /dev/null @@ -1,267 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.compiler; - -import java.io.DataOutputStream; -import java.io.IOException; -import java.io.OutputStream; - -import org.luaj.vm2.LocVars; -import org.luaj.vm2.Prototype; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaValue; - - -public class DumpState { - - /** mark for precompiled code (`Lua') */ - public static final String LUA_SIGNATURE = "\033Lua"; - - /** for header of binary files -- this is Lua 5.1 */ - public static final int LUAC_VERSION = 0x51; - - /** for header of binary files -- this is the official format */ - public static final int LUAC_FORMAT = 0; - - /** size of header of binary files */ - public static final int LUAC_HEADERSIZE = 12; - - /** expected lua header bytes */ - private static final byte[] LUAC_HEADER_SIGNATURE = { '\033', 'L', 'u', 'a' }; - - /** set true to allow integer compilation */ - public static boolean ALLOW_INTEGER_CASTING = false; - - /** format corresponding to non-number-patched lua, all numbers are floats or doubles */ - public static final int NUMBER_FORMAT_FLOATS_OR_DOUBLES = 0; - - /** format corresponding to non-number-patched lua, all numbers are ints */ - public static final int NUMBER_FORMAT_INTS_ONLY = 1; - - /** format corresponding to number-patched lua, all numbers are 32-bit (4 byte) ints */ - public static final int NUMBER_FORMAT_NUM_PATCH_INT32 = 4; - - /** default number format */ - public static final int NUMBER_FORMAT_DEFAULT = NUMBER_FORMAT_FLOATS_OR_DOUBLES; - - // header fields - private boolean IS_LITTLE_ENDIAN = false; - private int NUMBER_FORMAT = NUMBER_FORMAT_DEFAULT; - private int SIZEOF_LUA_NUMBER = 8; - private static final int SIZEOF_INT = 4; - private static final int SIZEOF_SIZET = 4; - private static final int SIZEOF_INSTRUCTION = 4; - - DataOutputStream writer; - boolean strip; - int status; - - public DumpState(OutputStream w, boolean strip) { - this.writer = new DataOutputStream( w ); - this.strip = strip; - this.status = 0; - } - - void dumpBlock(final byte[] b, int size) throws IOException { - writer.write(b, 0, size); - } - - void dumpChar(int b) throws IOException { - writer.write( b ); - } - - void dumpInt(int x) throws IOException { - if ( IS_LITTLE_ENDIAN ) { - writer.writeByte(x&0xff); - writer.writeByte((x>>8)&0xff); - writer.writeByte((x>>16)&0xff); - writer.writeByte((x>>24)&0xff); - } else { - writer.writeInt(x); - } - } - - void dumpString(LuaString s) throws IOException { - final int len = s.len().toint(); - dumpInt( len+1 ); - s.write( writer, 0, len ); - writer.write( 0 ); - } - - void dumpDouble(double d) throws IOException { - long l = Double.doubleToLongBits(d); - if ( IS_LITTLE_ENDIAN ) { - dumpInt( (int) l ); - dumpInt( (int) (l>>32) ); - } else { - writer.writeLong(l); - } - } - - void dumpCode( final Prototype f ) throws IOException { - final int[] code = f.code; - int n = code.length; - dumpInt( n ); - for ( int i=0; i l ) - errorlimit( l, msg ); - } - - void errorlimit (int limit, String what) { - String msg = (f.linedefined == 0) ? - L.pushfstring("main function has more than "+limit+" "+what) : - L.pushfstring("function at line "+f.linedefined+" has more than "+limit+" "+what); - ls.lexerror(msg, 0); - } - - - int indexupvalue(LuaString name, expdesc v) { - int i; - for (i = 0; i < f.nups; i++) { - if (upvalues[i].k == v.k && upvalues[i].info == v.u.s.info) { - _assert(f.upvalues[i] == name); - return i; - } - } - /* new one */ - checklimit(f.nups + 1, LUAI_MAXUPVALUES, "upvalues"); - if ( f.upvalues == null || f.nups + 1 > f.upvalues.length) - f.upvalues = realloc( f.upvalues, f.nups*2+1 ); - f.upvalues[f.nups] = name; - _assert (v.k == LexState.VLOCAL || v.k == LexState.VUPVAL); - upvalues[f.nups] = new upvaldesc(); - upvalues[f.nups].k = (short) (v.k); - upvalues[f.nups].info = (short) (v.u.s.info); - return f.nups++; - } - - int searchvar(LuaString n) { - int i; - for (i = nactvar - 1; i >= 0; i--) { - if (n == getlocvar(i).varname) - return i; - } - return -1; /* not found */ - } - - void markupval(int level) { - BlockCnt bl = this.bl; - while (bl != null && bl.nactvar > level) - bl = bl.previous; - if (bl != null) - bl.upval = true; - } - - int singlevaraux(LuaString n, expdesc var, int base) { - int v = searchvar(n); /* look up at current level */ - if (v >= 0) { - var.init(LexState.VLOCAL, v); - if (base == 0) - markupval(v); /* local will be used as an upval */ - return LexState.VLOCAL; - } else { /* not found at current level; try upper one */ - if (prev == null) { /* no more levels? */ - /* default is global variable */ - var.init(LexState.VGLOBAL, NO_REG); - return LexState.VGLOBAL; - } - if (prev.singlevaraux(n, var, 0) == LexState.VGLOBAL) - return LexState.VGLOBAL; - var.u.s.info = indexupvalue(n, var); /* else was LOCAL or UPVAL */ - var.k = LexState.VUPVAL; /* upvalue in this level */ - return LexState.VUPVAL; - } - } - - void enterblock (BlockCnt bl, boolean isbreakable) { - bl.breaklist.i = LexState.NO_JUMP; - bl.isbreakable = isbreakable; - bl.nactvar = this.nactvar; - bl.upval = false; - bl.previous = this.bl; - this.bl = bl; - _assert(this.freereg == this.nactvar); - } - - // -// void leaveblock (FuncState *fs) { -// BlockCnt *bl = this.bl; -// this.bl = bl.previous; -// removevars(this.ls, bl.nactvar); -// if (bl.upval) -// this.codeABC(OP_CLOSE, bl.nactvar, 0, 0); -// /* a block either controls scope or breaks (never both) */ -// assert(!bl.isbreakable || !bl.upval); -// assert(bl.nactvar == this.nactvar); -// this.freereg = this.nactvar; /* free registers */ -// this.patchtohere(bl.breaklist); -// } - - void leaveblock() { - BlockCnt bl = this.bl; - this.bl = bl.previous; - ls.removevars(bl.nactvar); - if (bl.upval) - this.codeABC(OP_CLOSE, bl.nactvar, 0, 0); - /* a block either controls scope or breaks (never both) */ - _assert (!bl.isbreakable || !bl.upval); - _assert (bl.nactvar == this.nactvar); - this.freereg = this.nactvar; /* free registers */ - this.patchtohere(bl.breaklist.i); - } - - void closelistfield(ConsControl cc) { - if (cc.v.k == LexState.VVOID) - return; /* there is no list item */ - this.exp2nextreg(cc.v); - cc.v.k = LexState.VVOID; - if (cc.tostore == LFIELDS_PER_FLUSH) { - this.setlist(cc.t.u.s.info, cc.na, cc.tostore); /* flush */ - cc.tostore = 0; /* no more items pending */ - } - } - - boolean hasmultret(int k) { - return ((k) == LexState.VCALL || (k) == LexState.VVARARG); - } - - void lastlistfield (ConsControl cc) { - if (cc.tostore == 0) return; - if (hasmultret(cc.v.k)) { - this.setmultret(cc.v); - this.setlist(cc.t.u.s.info, cc.na, LUA_MULTRET); - cc.na--; /** do not count last expression (unknown number of elements) */ - } - else { - if (cc.v.k != LexState.VVOID) - this.exp2nextreg(cc.v); - this.setlist(cc.t.u.s.info, cc.na, cc.tostore); - } - } - - - - // ============================================================= - // from lcode.c - // ============================================================= - - void nil(int from, int n) { - InstructionPtr previous; - if (this.pc > this.lasttarget) { /* no jumps to current position? */ - if (this.pc == 0) { /* function start? */ - if (from >= this.nactvar) - return; /* positions are already clean */ - } else { - previous = new InstructionPtr(this.f.code, this.pc - 1); - if (GET_OPCODE(previous.get()) == OP_LOADNIL) { - int pfrom = GETARG_A(previous.get()); - int pto = GETARG_B(previous.get()); - if (pfrom <= from && from <= pto + 1) { /* can connect both? */ - if (from + n - 1 > pto) - SETARG_B(previous, from + n - 1); - return; - } - } - } - } - /* else no optimization */ - this.codeABC(OP_LOADNIL, from, from + n - 1, 0); - } - - - int jump() { - int jpc = this.jpc.i; /* save list of jumps to here */ - this.jpc.i = LexState.NO_JUMP; - IntPtr j = new IntPtr(this.codeAsBx(OP_JMP, 0, LexState.NO_JUMP)); - this.concat(j, jpc); /* keep them on hold */ - return j.i; - } - - void ret(int first, int nret) { - this.codeABC(OP_RETURN, first, nret + 1, 0); - } - - int condjump(int /* OpCode */op, int A, int B, int C) { - this.codeABC(op, A, B, C); - return this.jump(); - } - - void fixjump(int pc, int dest) { - InstructionPtr jmp = new InstructionPtr(this.f.code, pc); - int offset = dest - (pc + 1); - _assert (dest != LexState.NO_JUMP); - if (Math.abs(offset) > MAXARG_sBx) - ls.syntaxerror("control structure too long"); - SETARG_sBx(jmp, offset); - } - - - /* - * * returns current `pc' and marks it as a jump target (to avoid wrong * - * optimizations with consecutive instructions not in the same basic block). - */ - int getlabel() { - this.lasttarget = this.pc; - return this.pc; - } - - - int getjump(int pc) { - int offset = GETARG_sBx(this.f.code[pc]); - /* point to itself represents end of list */ - if (offset == LexState.NO_JUMP) - /* end of list */ - return LexState.NO_JUMP; - else - /* turn offset into absolute position */ - return (pc + 1) + offset; - } - - - InstructionPtr getjumpcontrol(int pc) { - InstructionPtr pi = new InstructionPtr(this.f.code, pc); - if (pc >= 1 && testTMode(GET_OPCODE(pi.code[pi.idx - 1]))) - return new InstructionPtr(pi.code, pi.idx - 1); - else - return pi; - } - - - /* - * * check whether list has any jump that do not produce a value * (or - * produce an inverted value) - */ - boolean need_value(int list) { - for (; list != LexState.NO_JUMP; list = this.getjump(list)) { - int i = this.getjumpcontrol(list).get(); - if (GET_OPCODE(i) != OP_TESTSET) - return true; - } - return false; /* not found */ - } - - - boolean patchtestreg(int node, int reg) { - InstructionPtr i = this.getjumpcontrol(node); - if (GET_OPCODE(i.get()) != OP_TESTSET) - /* cannot patch other instructions */ - return false; - if (reg != NO_REG && reg != GETARG_B(i.get())) - SETARG_A(i, reg); - else - /* no register to put value or register already has the value */ - i.set(CREATE_ABC(OP_TEST, GETARG_B(i.get()), 0, Lua.GETARG_C(i.get()))); - - return true; - } - - - void removevalues(int list) { - for (; list != LexState.NO_JUMP; list = this.getjump(list)) - this.patchtestreg(list, NO_REG); - } - - void patchlistaux(int list, int vtarget, int reg, int dtarget) { - while (list != LexState.NO_JUMP) { - int next = this.getjump(list); - if (this.patchtestreg(list, reg)) - this.fixjump(list, vtarget); - else - this.fixjump(list, dtarget); /* jump to default target */ - list = next; - } - } - - void dischargejpc() { - this.patchlistaux(this.jpc.i, this.pc, NO_REG, this.pc); - this.jpc.i = LexState.NO_JUMP; - } - - void patchlist(int list, int target) { - if (target == this.pc) - this.patchtohere(list); - else { - _assert (target < this.pc); - this.patchlistaux(list, target, NO_REG, target); - } - } - - void patchtohere(int list) { - this.getlabel(); - this.concat(this.jpc, list); - } - - void concat(IntPtr l1, int l2) { - if (l2 == LexState.NO_JUMP) - return; - if (l1.i == LexState.NO_JUMP) - l1.i = l2; - else { - int list = l1.i; - int next; - while ((next = this.getjump(list)) != LexState.NO_JUMP) - /* find last element */ - list = next; - this.fixjump(list, l2); - } - } - - void checkstack(int n) { - int newstack = this.freereg + n; - if (newstack > this.f.maxstacksize) { - if (newstack >= MAXSTACK) - ls.syntaxerror("function or expression too complex"); - this.f.maxstacksize = newstack; - } - } - - void reserveregs(int n) { - this.checkstack(n); - this.freereg += n; - } - - void freereg(int reg) { - if (!ISK(reg) && reg >= this.nactvar) { - this.freereg--; - _assert (reg == this.freereg); - } - } - - void freeexp(expdesc e) { - if (e.k == LexState.VNONRELOC) - this.freereg(e.u.s.info); - } - - int addk(LuaValue v) { - int idx; - if (this.htable.containsKey(v)) { - idx = ((Integer) htable.get(v)).intValue(); - } else { - idx = this.nk; - this.htable.put(v, new Integer(idx)); - final Prototype f = this.f; - if (f.k == null || nk + 1 >= f.k.length) - f.k = realloc( f.k, nk*2 + 1 ); - f.k[this.nk++] = v; - } - return idx; - } - - int stringK(LuaString s) { - return this.addk(s); - } - - int numberK(LuaValue r) { - if ( r instanceof LuaDouble ) { - double d = r.todouble(); - int i = (int) d; - if ( d == (double) i ) - r = LuaInteger.valueOf(i); - } - return this.addk(r); - } - - int boolK(boolean b) { - return this.addk((b ? LuaValue.TRUE : LuaValue.FALSE)); - } - - int nilK() { - return this.addk(LuaValue.NIL); - } - - void setreturns(expdesc e, int nresults) { - if (e.k == LexState.VCALL) { /* expression is an open function call? */ - SETARG_C(this.getcodePtr(e), nresults + 1); - } else if (e.k == LexState.VVARARG) { - SETARG_B(this.getcodePtr(e), nresults + 1); - SETARG_A(this.getcodePtr(e), this.freereg); - this.reserveregs(1); - } - } - - void setoneret(expdesc e) { - if (e.k == LexState.VCALL) { /* expression is an open function call? */ - e.k = LexState.VNONRELOC; - e.u.s.info = GETARG_A(this.getcode(e)); - } else if (e.k == LexState.VVARARG) { - SETARG_B(this.getcodePtr(e), 2); - e.k = LexState.VRELOCABLE; /* can relocate its simple result */ - } - } - - void dischargevars(expdesc e) { - switch (e.k) { - case LexState.VLOCAL: { - e.k = LexState.VNONRELOC; - break; - } - case LexState.VUPVAL: { - e.u.s.info = this.codeABC(OP_GETUPVAL, 0, e.u.s.info, 0); - e.k = LexState.VRELOCABLE; - break; - } - case LexState.VGLOBAL: { - e.u.s.info = this.codeABx(OP_GETGLOBAL, 0, e.u.s.info); - e.k = LexState.VRELOCABLE; - break; - } - case LexState.VINDEXED: { - this.freereg(e.u.s.aux); - this.freereg(e.u.s.info); - e.u.s.info = this - .codeABC(OP_GETTABLE, 0, e.u.s.info, e.u.s.aux); - e.k = LexState.VRELOCABLE; - break; - } - case LexState.VVARARG: - case LexState.VCALL: { - this.setoneret(e); - break; - } - default: - break; /* there is one value available (somewhere) */ - } - } - - int code_label(int A, int b, int jump) { - this.getlabel(); /* those instructions may be jump targets */ - return this.codeABC(OP_LOADBOOL, A, b, jump); - } - - void discharge2reg(expdesc e, int reg) { - this.dischargevars(e); - switch (e.k) { - case LexState.VNIL: { - this.nil(reg, 1); - break; - } - case LexState.VFALSE: - case LexState.VTRUE: { - this.codeABC(OP_LOADBOOL, reg, (e.k == LexState.VTRUE ? 1 : 0), - 0); - break; - } - case LexState.VK: { - this.codeABx(OP_LOADK, reg, e.u.s.info); - break; - } - case LexState.VKNUM: { - this.codeABx(OP_LOADK, reg, this.numberK(e.u.nval())); - break; - } - case LexState.VRELOCABLE: { - InstructionPtr pc = this.getcodePtr(e); - SETARG_A(pc, reg); - break; - } - case LexState.VNONRELOC: { - if (reg != e.u.s.info) - this.codeABC(OP_MOVE, reg, e.u.s.info, 0); - break; - } - default: { - _assert (e.k == LexState.VVOID || e.k == LexState.VJMP); - return; /* nothing to do... */ - } - } - e.u.s.info = reg; - e.k = LexState.VNONRELOC; - } - - void discharge2anyreg(expdesc e) { - if (e.k != LexState.VNONRELOC) { - this.reserveregs(1); - this.discharge2reg(e, this.freereg - 1); - } - } - - void exp2reg(expdesc e, int reg) { - this.discharge2reg(e, reg); - if (e.k == LexState.VJMP) - this.concat(e.t, e.u.s.info); /* put this jump in `t' list */ - if (e.hasjumps()) { - int _final; /* position after whole expression */ - int p_f = LexState.NO_JUMP; /* position of an eventual LOAD false */ - int p_t = LexState.NO_JUMP; /* position of an eventual LOAD true */ - if (this.need_value(e.t.i) || this.need_value(e.f.i)) { - int fj = (e.k == LexState.VJMP) ? LexState.NO_JUMP : this - .jump(); - p_f = this.code_label(reg, 0, 1); - p_t = this.code_label(reg, 1, 0); - this.patchtohere(fj); - } - _final = this.getlabel(); - this.patchlistaux(e.f.i, _final, reg, p_f); - this.patchlistaux(e.t.i, _final, reg, p_t); - } - e.f.i = e.t.i = LexState.NO_JUMP; - e.u.s.info = reg; - e.k = LexState.VNONRELOC; - } - - void exp2nextreg(expdesc e) { - this.dischargevars(e); - this.freeexp(e); - this.reserveregs(1); - this.exp2reg(e, this.freereg - 1); - } - - int exp2anyreg(expdesc e) { - this.dischargevars(e); - if (e.k == LexState.VNONRELOC) { - if (!e.hasjumps()) - return e.u.s.info; /* exp is already in a register */ - if (e.u.s.info >= this.nactvar) { /* reg. is not a local? */ - this.exp2reg(e, e.u.s.info); /* put value on it */ - return e.u.s.info; - } - } - this.exp2nextreg(e); /* default */ - return e.u.s.info; - } - - void exp2val(expdesc e) { - if (e.hasjumps()) - this.exp2anyreg(e); - else - this.dischargevars(e); - } - - int exp2RK(expdesc e) { - this.exp2val(e); - switch (e.k) { - case LexState.VKNUM: - case LexState.VTRUE: - case LexState.VFALSE: - case LexState.VNIL: { - if (this.nk <= MAXINDEXRK) { /* constant fit in RK operand? */ - e.u.s.info = (e.k == LexState.VNIL) ? this.nilK() - : (e.k == LexState.VKNUM) ? this.numberK(e.u.nval()) - : this.boolK((e.k == LexState.VTRUE)); - e.k = LexState.VK; - return RKASK(e.u.s.info); - } else - break; - } - case LexState.VK: { - if (e.u.s.info <= MAXINDEXRK) /* constant fit in argC? */ - return RKASK(e.u.s.info); - else - break; - } - default: - break; - } - /* not a constant in the right range: put it in a register */ - return this.exp2anyreg(e); - } - - void storevar(expdesc var, expdesc ex) { - switch (var.k) { - case LexState.VLOCAL: { - this.freeexp(ex); - this.exp2reg(ex, var.u.s.info); - return; - } - case LexState.VUPVAL: { - int e = this.exp2anyreg(ex); - this.codeABC(OP_SETUPVAL, e, var.u.s.info, 0); - break; - } - case LexState.VGLOBAL: { - int e = this.exp2anyreg(ex); - this.codeABx(OP_SETGLOBAL, e, var.u.s.info); - break; - } - case LexState.VINDEXED: { - int e = this.exp2RK(ex); - this.codeABC(OP_SETTABLE, var.u.s.info, var.u.s.aux, e); - break; - } - default: { - _assert (false); /* invalid var kind to store */ - break; - } - } - this.freeexp(ex); - } - - void self(expdesc e, expdesc key) { - int func; - this.exp2anyreg(e); - this.freeexp(e); - func = this.freereg; - this.reserveregs(2); - this.codeABC(OP_SELF, func, e.u.s.info, this.exp2RK(key)); - this.freeexp(key); - e.u.s.info = func; - e.k = LexState.VNONRELOC; - } - - void invertjump(expdesc e) { - InstructionPtr pc = this.getjumpcontrol(e.u.s.info); - _assert (testTMode(GET_OPCODE(pc.get())) - && GET_OPCODE(pc.get()) != OP_TESTSET && Lua - .GET_OPCODE(pc.get()) != OP_TEST); - // SETARG_A(pc, !(GETARG_A(pc.get()))); - int a = GETARG_A(pc.get()); - int nota = (a!=0? 0: 1); - SETARG_A(pc, nota); - } - - int jumponcond(expdesc e, int cond) { - if (e.k == LexState.VRELOCABLE) { - int ie = this.getcode(e); - if (GET_OPCODE(ie) == OP_NOT) { - this.pc--; /* remove previous OP_NOT */ - return this.condjump(OP_TEST, GETARG_B(ie), 0, (cond!=0? 0: 1)); - } - /* else go through */ - } - this.discharge2anyreg(e); - this.freeexp(e); - return this.condjump(OP_TESTSET, NO_REG, e.u.s.info, cond); - } - - void goiftrue(expdesc e) { - int pc; /* pc of last jump */ - this.dischargevars(e); - switch (e.k) { - case LexState.VK: - case LexState.VKNUM: - case LexState.VTRUE: { - pc = LexState.NO_JUMP; /* always true; do nothing */ - break; - } - case LexState.VFALSE: { - pc = this.jump(); /* always jump */ - break; - } - case LexState.VJMP: { - this.invertjump(e); - pc = e.u.s.info; - break; - } - default: { - pc = this.jumponcond(e, 0); - break; - } - } - this.concat(e.f, pc); /* insert last jump in `f' list */ - this.patchtohere(e.t.i); - e.t.i = LexState.NO_JUMP; - } - - void goiffalse(expdesc e) { - int pc; /* pc of last jump */ - this.dischargevars(e); - switch (e.k) { - case LexState.VNIL: - case LexState.VFALSE: { - pc = LexState.NO_JUMP; /* always false; do nothing */ - break; - } - case LexState.VTRUE: { - pc = this.jump(); /* always jump */ - break; - } - case LexState.VJMP: { - pc = e.u.s.info; - break; - } - default: { - pc = this.jumponcond(e, 1); - break; - } - } - this.concat(e.t, pc); /* insert last jump in `t' list */ - this.patchtohere(e.f.i); - e.f.i = LexState.NO_JUMP; - } - - void codenot(expdesc e) { - this.dischargevars(e); - switch (e.k) { - case LexState.VNIL: - case LexState.VFALSE: { - e.k = LexState.VTRUE; - break; - } - case LexState.VK: - case LexState.VKNUM: - case LexState.VTRUE: { - e.k = LexState.VFALSE; - break; - } - case LexState.VJMP: { - this.invertjump(e); - break; - } - case LexState.VRELOCABLE: - case LexState.VNONRELOC: { - this.discharge2anyreg(e); - this.freeexp(e); - e.u.s.info = this.codeABC(OP_NOT, 0, e.u.s.info, 0); - e.k = LexState.VRELOCABLE; - break; - } - default: { - _assert (false); /* cannot happen */ - break; - } - } - /* interchange true and false lists */ - { - int temp = e.f.i; - e.f.i = e.t.i; - e.t.i = temp; - } - this.removevalues(e.f.i); - this.removevalues(e.t.i); - } - - void indexed(expdesc t, expdesc k) { - t.u.s.aux = this.exp2RK(k); - t.k = LexState.VINDEXED; - } - - boolean constfolding(int op, expdesc e1, expdesc e2) { - LuaValue v1, v2, r; - if (!e1.isnumeral() || !e2.isnumeral()) - return false; - v1 = e1.u.nval(); - v2 = e2.u.nval(); - switch (op) { - case OP_ADD: - r = v1.add(v2); - break; - case OP_SUB: - r = v1.sub(v2); - break; - case OP_MUL: - r = v1.mul(v2); - break; - case OP_DIV: - r = v1.div(v2); - break; - case OP_MOD: - r = v1.mod(v2); - break; - case OP_POW: - r = v1.pow(v2); - break; - case OP_UNM: - r = v1.neg(); - break; - case OP_LEN: - // r = v1.len(); - // break; - return false; /* no constant folding for 'len' */ - default: - _assert (false); - r = null; - break; - } - if ( Double.isNaN(r.todouble()) ) - return false; /* do not attempt to produce NaN */ - e1.u.setNval( r ); - return true; - } - - void codearith(int op, expdesc e1, expdesc e2) { - if (constfolding(op, e1, e2)) - return; - else { - int o2 = (op != OP_UNM && op != OP_LEN) ? this.exp2RK(e2) - : 0; - int o1 = this.exp2RK(e1); - if (o1 > o2) { - this.freeexp(e1); - this.freeexp(e2); - } else { - this.freeexp(e2); - this.freeexp(e1); - } - e1.u.s.info = this.codeABC(op, 0, o1, o2); - e1.k = LexState.VRELOCABLE; - } - } - - void codecomp(int /* OpCode */op, int cond, expdesc e1, expdesc e2) { - int o1 = this.exp2RK(e1); - int o2 = this.exp2RK(e2); - this.freeexp(e2); - this.freeexp(e1); - if (cond == 0 && op != OP_EQ) { - int temp; /* exchange args to replace by `<' or `<=' */ - temp = o1; - o1 = o2; - o2 = temp; /* o1 <==> o2 */ - cond = 1; - } - e1.u.s.info = this.condjump(op, cond, o1, o2); - e1.k = LexState.VJMP; - } - - void prefix(int /* UnOpr */op, expdesc e) { - expdesc e2 = new expdesc(); - e2.init(LexState.VKNUM, 0); - switch (op) { - case LexState.OPR_MINUS: { - if (e.k == LexState.VK) - this.exp2anyreg(e); /* cannot operate on non-numeric constants */ - this.codearith(OP_UNM, e, e2); - break; - } - case LexState.OPR_NOT: - this.codenot(e); - break; - case LexState.OPR_LEN: { - this.exp2anyreg(e); /* cannot operate on constants */ - this.codearith(OP_LEN, e, e2); - break; - } - default: - _assert (false); - } - } - - void infix(int /* BinOpr */op, expdesc v) { - switch (op) { - case LexState.OPR_AND: { - this.goiftrue(v); - break; - } - case LexState.OPR_OR: { - this.goiffalse(v); - break; - } - case LexState.OPR_CONCAT: { - this.exp2nextreg(v); /* operand must be on the `stack' */ - break; - } - case LexState.OPR_ADD: - case LexState.OPR_SUB: - case LexState.OPR_MUL: - case LexState.OPR_DIV: - case LexState.OPR_MOD: - case LexState.OPR_POW: { - if (!v.isnumeral()) - this.exp2RK(v); - break; - } - default: { - this.exp2RK(v); - break; - } - } - } - - - void posfix(int op, expdesc e1, expdesc e2) { - switch (op) { - case LexState.OPR_AND: { - _assert (e1.t.i == LexState.NO_JUMP); /* list must be closed */ - this.dischargevars(e2); - this.concat(e2.f, e1.f.i); - // *e1 = *e2; - e1.setvalue(e2); - break; - } - case LexState.OPR_OR: { - _assert (e1.f.i == LexState.NO_JUMP); /* list must be closed */ - this.dischargevars(e2); - this.concat(e2.t, e1.t.i); - // *e1 = *e2; - e1.setvalue(e2); - break; - } - case LexState.OPR_CONCAT: { - this.exp2val(e2); - if (e2.k == LexState.VRELOCABLE - && GET_OPCODE(this.getcode(e2)) == OP_CONCAT) { - _assert (e1.u.s.info == GETARG_B(this.getcode(e2)) - 1); - this.freeexp(e1); - SETARG_B(this.getcodePtr(e2), e1.u.s.info); - e1.k = LexState.VRELOCABLE; - e1.u.s.info = e2.u.s.info; - } else { - this.exp2nextreg(e2); /* operand must be on the 'stack' */ - this.codearith(OP_CONCAT, e1, e2); - } - break; - } - case LexState.OPR_ADD: - this.codearith(OP_ADD, e1, e2); - break; - case LexState.OPR_SUB: - this.codearith(OP_SUB, e1, e2); - break; - case LexState.OPR_MUL: - this.codearith(OP_MUL, e1, e2); - break; - case LexState.OPR_DIV: - this.codearith(OP_DIV, e1, e2); - break; - case LexState.OPR_MOD: - this.codearith(OP_MOD, e1, e2); - break; - case LexState.OPR_POW: - this.codearith(OP_POW, e1, e2); - break; - case LexState.OPR_EQ: - this.codecomp(OP_EQ, 1, e1, e2); - break; - case LexState.OPR_NE: - this.codecomp(OP_EQ, 0, e1, e2); - break; - case LexState.OPR_LT: - this.codecomp(OP_LT, 1, e1, e2); - break; - case LexState.OPR_LE: - this.codecomp(OP_LE, 1, e1, e2); - break; - case LexState.OPR_GT: - this.codecomp(OP_LT, 0, e1, e2); - break; - case LexState.OPR_GE: - this.codecomp(OP_LE, 0, e1, e2); - break; - default: - _assert (false); - } - } - - - void fixline(int line) { - this.f.lineinfo[this.pc - 1] = line; - } - - - int code(int instruction, int line) { - Prototype f = this.f; - this.dischargejpc(); /* `pc' will change */ - /* put new instruction in code array */ - if (f.code == null || this.pc + 1 > f.code.length) - f.code = LuaC.realloc(f.code, this.pc * 2 + 1); - f.code[this.pc] = instruction; - /* save corresponding line information */ - if (f.lineinfo == null || this.pc + 1 > f.lineinfo.length) - f.lineinfo = LuaC.realloc(f.lineinfo, - this.pc * 2 + 1); - f.lineinfo[this.pc] = line; - return this.pc++; - } - - - int codeABC(int o, int a, int b, int c) { - _assert (getOpMode(o) == iABC); - _assert (getBMode(o) != OpArgN || b == 0); - _assert (getCMode(o) != OpArgN || c == 0); - return this.code(CREATE_ABC(o, a, b, c), this.ls.lastline); - } - - - int codeABx(int o, int a, int bc) { - _assert (getOpMode(o) == iABx || getOpMode(o) == iAsBx); - _assert (getCMode(o) == OpArgN); - return this.code(CREATE_ABx(o, a, bc), this.ls.lastline); - } - - - void setlist(int base, int nelems, int tostore) { - int c = (nelems - 1) / LFIELDS_PER_FLUSH + 1; - int b = (tostore == LUA_MULTRET) ? 0 : tostore; - _assert (tostore != 0); - if (c <= MAXARG_C) - this.codeABC(OP_SETLIST, base, b, c); - else { - this.codeABC(OP_SETLIST, base, b, 0); - this.code(c, this.ls.lastline); - } - this.freereg = base + 1; /* free registers with list values */ - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/InstructionPtr.java b/luaj-2.0.3/src/core/org/luaj/vm2/compiler/InstructionPtr.java deleted file mode 100644 index fbdf061a5..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/InstructionPtr.java +++ /dev/null @@ -1,37 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.compiler; - -class InstructionPtr { - final int[] code; - final int idx; - InstructionPtr(int[] code, int idx ) { - this.code = code; - this.idx = idx; - } - int get() { - return code[idx]; - } - void set(int value) { - code[idx] = value; - } -} \ No newline at end of file diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/IntPtr.java b/luaj-2.0.3/src/core/org/luaj/vm2/compiler/IntPtr.java deleted file mode 100644 index 0f42cb0e6..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/IntPtr.java +++ /dev/null @@ -1,31 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.compiler; - -public class IntPtr { - int i; - IntPtr() { - } - IntPtr(int value) { - this.i = value; - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LexState.java b/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LexState.java deleted file mode 100644 index 40247431b..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LexState.java +++ /dev/null @@ -1,1905 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.compiler; - -import java.io.IOException; -import java.io.InputStream; -import java.util.Hashtable; - -import org.luaj.vm2.LuaInteger; -import org.luaj.vm2.LocVars; -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaError; -import org.luaj.vm2.Prototype; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.compiler.FuncState.BlockCnt; - - -public class LexState { - - protected static final String RESERVED_LOCAL_VAR_FOR_CONTROL = "(for control)"; - protected static final String RESERVED_LOCAL_VAR_FOR_STATE = "(for state)"; - protected static final String RESERVED_LOCAL_VAR_FOR_GENERATOR = "(for generator)"; - protected static final String RESERVED_LOCAL_VAR_FOR_STEP = "(for step)"; - protected static final String RESERVED_LOCAL_VAR_FOR_LIMIT = "(for limit)"; - protected static final String RESERVED_LOCAL_VAR_FOR_INDEX = "(for index)"; - - // keywords array - protected static final String[] RESERVED_LOCAL_VAR_KEYWORDS = new String[] { - RESERVED_LOCAL_VAR_FOR_CONTROL, - RESERVED_LOCAL_VAR_FOR_GENERATOR, - RESERVED_LOCAL_VAR_FOR_INDEX, - RESERVED_LOCAL_VAR_FOR_LIMIT, - RESERVED_LOCAL_VAR_FOR_STATE, - RESERVED_LOCAL_VAR_FOR_STEP - }; - private static final Hashtable RESERVED_LOCAL_VAR_KEYWORDS_TABLE = new Hashtable(); - static { - for ( int i=0; i=", "<=", "~=", - "", "", "", "", - }; - - final static int - /* terminal symbols denoted by reserved words */ - TK_AND=257, TK_BREAK=258, TK_DO=259, TK_ELSE=260, TK_ELSEIF=261, - TK_END=262, TK_FALSE=263, TK_FOR=264, TK_FUNCTION=265, TK_IF=266, - TK_IN=267, TK_LOCAL=268, TK_NIL=269, TK_NOT=270, TK_OR=271, TK_REPEAT=272, - TK_RETURN=273, TK_THEN=274, TK_TRUE=275, TK_UNTIL=276, TK_WHILE=277, - /* other terminal symbols */ - TK_CONCAT=278, TK_DOTS=279, TK_EQ=280, TK_GE=281, TK_LE=282, TK_NE=283, - TK_NUMBER=284, TK_NAME=285, TK_STRING=286, TK_EOS=287; - - final static int FIRST_RESERVED = TK_AND; - final static int NUM_RESERVED = TK_WHILE+1-FIRST_RESERVED; - - final static Hashtable RESERVED = new Hashtable(); - static { - for ( int i=0; i= '0' && c <= '9') - || (c >= 'a' && c <= 'z') - || (c >= 'A' && c <= 'Z') - || (c == '_'); - // return Character.isLetterOrDigit(c); - } - - private boolean isalpha(int c) { - return (c >= 'a' && c <= 'z') - || (c >= 'A' && c <= 'Z'); - } - - private boolean isdigit(int c) { - return (c >= '0' && c <= '9'); - } - - private boolean isspace(int c) { - return (c <= ' '); - } - - - public LexState(LuaC state, InputStream stream) { - this.z = stream; - this.buff = new byte[32]; - this.L = state; - } - - void nextChar() { - try { - current = z.read(); - } catch ( IOException e ) { - e.printStackTrace(); - current = EOZ; - } - } - - boolean currIsNewline() { - return current == '\n' || current == '\r'; - } - - void save_and_next() { - save( current ); - nextChar(); - } - - void save(int c) { - if ( buff == null || nbuff + 1 > buff.length ) - buff = LuaC.realloc( buff, nbuff*2+1 ); - buff[nbuff++] = (byte) c; - } - - - String token2str( int token ) { - if ( token < FIRST_RESERVED ) { - return iscntrl(token)? - L.pushfstring( "char("+((int)token)+")" ): - L.pushfstring( String.valueOf( (char) token ) ); - } else { - return luaX_tokens[token-FIRST_RESERVED]; - } - } - - private static boolean iscntrl(int token) { - return token < ' '; - } - - String txtToken(int token) { - switch ( token ) { - case TK_NAME: - case TK_STRING: - case TK_NUMBER: - return new String( buff, 0, nbuff ); - default: - return token2str( token ); - } - } - - void lexerror( String msg, int token ) { - String cid = chunkid( source.tojstring() ); // TODO: get source name from source - L.pushfstring( cid+":"+linenumber+": "+msg ); - if ( token != 0 ) - L.pushfstring( "syntax error: "+msg+" near "+txtToken(token) ); - throw new LuaError(cid+":"+linenumber+": "+msg); - } - - String chunkid( String source ) { - if ( source.startsWith("=") ) - return source.substring(1); - String end = ""; - if ( source.startsWith("@") ) { - source = source.substring(1); - } else { - source = "[string \""+source; - end = "\"]"; - } - int n = source.length() + end.length(); - if ( n > MAXSRC ) - source = source.substring(0,MAXSRC-end.length()-3) + "..."; - return source + end; - } - - void syntaxerror( String msg ) { - lexerror( msg, t.token ); - } - - // only called by new_localvarliteral() for var names. - LuaString newstring( String s ) { - byte[] b = s.getBytes(); - return L.newTString(b, 0, b.length); - } - - LuaString newstring( byte[] bytes, int offset, int len ) { - return L.newTString( bytes, offset, len ); - } - - void inclinenumber() { - int old = current; - LuaC._assert( currIsNewline() ); - nextChar(); /* skip '\n' or '\r' */ - if ( currIsNewline() && current != old ) - nextChar(); /* skip '\n\r' or '\r\n' */ - if ( ++linenumber >= MAX_INT ) - syntaxerror("chunk has too many lines"); - } - - void setinput( LuaC L, int firstByte, InputStream z, LuaString source ) { - this.decpoint = '.'; - this.L = L; - this.lookahead.token = TK_EOS; /* no look-ahead token */ - this.z = z; - this.fs = null; - this.linenumber = 1; - this.lastline = 1; - this.source = source; - this.nbuff = 0; /* initialize buffer */ - this.current = firstByte; /* read first char */ - this.skipShebang(); - } - - private void skipShebang() { - if ( current == '#' ) - while (!currIsNewline() && current != EOZ) - nextChar(); - } - - - - /* - ** ======================================================= - ** LEXICAL ANALYZER - ** ======================================================= - */ - - - boolean check_next(String set) { - if (set.indexOf(current) < 0) - return false; - save_and_next(); - return true; - } - - void buffreplace(byte from, byte to) { - int n = nbuff; - byte[] p = buff; - while ((--n) >= 0) - if (p[n] == from) - p[n] = to; - } - - boolean str2d(String str, SemInfo seminfo) { - double d; - str = str.trim(); // TODO: get rid of this - if ( str.startsWith("0x") ) { - d = Long.parseLong(str.substring(2), 16); - } - else - d = Double.parseDouble(str); - seminfo.r = LuaValue.valueOf(d); - return true; - } - - // - // TODO: reexamine this source and see if it should be ported differently - // - // static void trydecpoint (LexState *ls, SemInfo *seminfo) { - // /* format error: try to update decimal point separator */ - // struct lconv *cv = localeconv(); - // char old = this.decpoint; - // this.decpoint = (cv ? cv->decimal_point[0] : '.'); - // buffreplace(ls, old, this.decpoint); /* try updated decimal separator */ - // if (!luaO_str2d(luaZ_buffer(this.buff), &seminfo->r)) { - // /* format error with correct decimal point: no more options */ - // buffreplace(ls, this.decpoint, '.'); /* undo change (for error message) */ - // luaX_lexerror(ls, "malformed number", TK_NUMBER); - // } - // } - // - /* - void trydecpoint(String str, SemInfo seminfo) { - NumberFormat nf = NumberFormat.getInstance(); - try { - Number n = nf.parse(str); - double d = n.doubleValue(); - seminfo.r = new LDouble(d); - } catch (ParseException e) { - lexerror("malformed number", TK_NUMBER); - } - } - */ - - void read_numeral(SemInfo seminfo) { - LuaC._assert (isdigit(current)); - do { - save_and_next(); - } while (isdigit(current) || current == '.'); - if (check_next("Ee")) /* `E'? */ - check_next("+-"); /* optional exponent sign */ - while (isalnum(current) || current == '_') - save_and_next(); - save('\0'); - buffreplace((byte)'.', decpoint); /* follow locale for decimal point */ - String str = new String(buff, 0, nbuff); -// if (!str2d(str, seminfo)) /* format error? */ -// trydecpoint(str, seminfo); /* try to update decimal point separator */ - str2d(str, seminfo); - } - - int skip_sep() { - int count = 0; - int s = current; - LuaC._assert (s == '[' || s == ']'); - save_and_next(); - while (current == '=') { - save_and_next(); - count++; - } - return (current == s) ? count : (-count) - 1; - } - - void read_long_string(SemInfo seminfo, int sep) { - int cont = 0; - save_and_next(); /* skip 2nd `[' */ - if (currIsNewline()) /* string starts with a newline? */ - inclinenumber(); /* skip it */ - for (boolean endloop = false; !endloop;) { - switch (current) { - case EOZ: - lexerror((seminfo != null) ? "unfinished long string" - : "unfinished long comment", TK_EOS); - break; /* to avoid warnings */ - case '[': { - if (skip_sep() == sep) { - save_and_next(); /* skip 2nd `[' */ - cont++; - if (LUA_COMPAT_LSTR == 1) { - if (sep == 0) - lexerror("nesting of [[...]] is deprecated", '['); - } - } - break; - } - case ']': { - if (skip_sep() == sep) { - save_and_next(); /* skip 2nd `]' */ - if (LUA_COMPAT_LSTR == 2) { - cont--; - if (sep == 0 && cont >= 0) - break; - } - endloop = true; - } - break; - } - case '\n': - case '\r': { - save('\n'); - inclinenumber(); - if (seminfo == null) - nbuff = 0; /* avoid wasting space */ - break; - } - default: { - if (seminfo != null) - save_and_next(); - else - nextChar(); - } - } - } - if (seminfo != null) - seminfo.ts = newstring(buff, 2 + sep, nbuff - 2 * (2 + sep)); - } - - void read_string(int del, SemInfo seminfo) { - save_and_next(); - while (current != del) { - switch (current) { - case EOZ: - lexerror("unfinished string", TK_EOS); - continue; /* to avoid warnings */ - case '\n': - case '\r': - lexerror("unfinished string", TK_STRING); - continue; /* to avoid warnings */ - case '\\': { - int c; - nextChar(); /* do not save the `\' */ - switch (current) { - case 'a': /* bell */ - c = '\u0007'; - break; - case 'b': /* backspace */ - c = '\b'; - break; - case 'f': /* form feed */ - c = '\f'; - break; - case 'n': /* newline */ - c = '\n'; - break; - case 'r': /* carriage return */ - c = '\r'; - break; - case 't': /* tab */ - c = '\t'; - break; - case 'v': /* vertical tab */ - c = '\u000B'; - break; - case '\n': /* go through */ - case '\r': - save('\n'); - inclinenumber(); - continue; - case EOZ: - continue; /* will raise an error next loop */ - default: { - if (!isdigit(current)) - save_and_next(); /* handles \\, \", \', and \? */ - else { /* \xxx */ - int i = 0; - c = 0; - do { - c = 10 * c + (current - '0'); - nextChar(); - } while (++i < 3 && isdigit(current)); - if (c > UCHAR_MAX) - lexerror("escape sequence too large", TK_STRING); - save(c); - } - continue; - } - } - save(c); - nextChar(); - continue; - } - default: - save_and_next(); - } - } - save_and_next(); /* skip delimiter */ - seminfo.ts = newstring(buff, 1, nbuff - 2); - } - - int llex(SemInfo seminfo) { - nbuff = 0; - while (true) { - switch (current) { - case '\n': - case '\r': { - inclinenumber(); - continue; - } - case '-': { - nextChar(); - if (current != '-') - return '-'; - /* else is a comment */ - nextChar(); - if (current == '[') { - int sep = skip_sep(); - nbuff = 0; /* `skip_sep' may dirty the buffer */ - if (sep >= 0) { - read_long_string(null, sep); /* long comment */ - nbuff = 0; - continue; - } - } - /* else short comment */ - while (!currIsNewline() && current != EOZ) - nextChar(); - continue; - } - case '[': { - int sep = skip_sep(); - if (sep >= 0) { - read_long_string(seminfo, sep); - return TK_STRING; - } else if (sep == -1) - return '['; - else - lexerror("invalid long string delimiter", TK_STRING); - } - case '=': { - nextChar(); - if (current != '=') - return '='; - else { - nextChar(); - return TK_EQ; - } - } - case '<': { - nextChar(); - if (current != '=') - return '<'; - else { - nextChar(); - return TK_LE; - } - } - case '>': { - nextChar(); - if (current != '=') - return '>'; - else { - nextChar(); - return TK_GE; - } - } - case '~': { - nextChar(); - if (current != '=') - return '~'; - else { - nextChar(); - return TK_NE; - } - } - case '"': - case '\'': { - read_string(current, seminfo); - return TK_STRING; - } - case '.': { - save_and_next(); - if (check_next(".")) { - if (check_next(".")) - return TK_DOTS; /* ... */ - else - return TK_CONCAT; /* .. */ - } else if (!isdigit(current)) - return '.'; - else { - read_numeral(seminfo); - return TK_NUMBER; - } - } - case EOZ: { - return TK_EOS; - } - default: { - if (isspace(current)) { - LuaC._assert (!currIsNewline()); - nextChar(); - continue; - } else if (isdigit(current)) { - read_numeral(seminfo); - return TK_NUMBER; - } else if (isalpha(current) || current == '_') { - /* identifier or reserved word */ - LuaString ts; - do { - save_and_next(); - } while (isalnum(current) || current == '_'); - ts = newstring(buff, 0, nbuff); - if ( RESERVED.containsKey(ts) ) - return ((Integer)RESERVED.get(ts)).intValue(); - else { - seminfo.ts = ts; - return TK_NAME; - } - } else { - int c = current; - nextChar(); - return c; /* single-char tokens (+ - / ...) */ - } - } - } - } - } - - void next() { - lastline = linenumber; - if (lookahead.token != TK_EOS) { /* is there a look-ahead token? */ - t.set( lookahead ); /* use this one */ - lookahead.token = TK_EOS; /* and discharge it */ - } else - t.token = llex(t.seminfo); /* read next token */ - } - - void lookahead() { - LuaC._assert (lookahead.token == TK_EOS); - lookahead.token = llex(lookahead.seminfo); - } - - // ============================================================= - // from lcode.h - // ============================================================= - - - // ============================================================= - // from lparser.c - // ============================================================= - - static class expdesc { - int k; // expkind, from enumerated list, above - static class U { // originally a union - static class S { - int info, aux; - } - final S s = new S(); - private LuaValue _nval; - public void setNval(LuaValue r) { - _nval = r; - } - public LuaValue nval() { - return (_nval == null? LuaInteger.valueOf(s.info): _nval); - } - }; - final U u = new U(); - final IntPtr t = new IntPtr(); /* patch list of `exit when true' */ - final IntPtr f = new IntPtr(); /* patch list of `exit when false' */ - void init( int k, int i ) { - this.f.i = NO_JUMP; - this.t.i = NO_JUMP; - this.k = k; - this.u.s.info = i; - } - - boolean hasjumps() { - return (t.i != f.i); - } - - boolean isnumeral() { - return (k == VKNUM && t.i == NO_JUMP && f.i == NO_JUMP); - } - - public void setvalue(expdesc other) { - this.k = other.k; - this.u._nval = other.u._nval; - this.u.s.info = other.u.s.info; - this.u.s.aux = other.u.s.aux; - this.t.i = other.t.i; - this.f.i = other.f.i; - } - } - - boolean hasmultret(int k) { - return ((k) == VCALL || (k) == VVARARG); - } - - /*---------------------------------------------------------------------- - name args description - ------------------------------------------------------------------------*/ - - /* - * * prototypes for recursive non-terminal functions - */ - - void error_expected(int token) { - syntaxerror(L.pushfstring(LUA_QS(token2str(token)) + " expected")); - } - - boolean testnext(int c) { - if (t.token == c) { - next(); - return true; - } else - return false; - } - - void check(int c) { - if (t.token != c) - error_expected(c); - } - - void checknext (int c) { - check(c); - next(); - } - - void check_condition(boolean c, String msg) { - if (!(c)) - syntaxerror(msg); - } - - - void check_match(int what, int who, int where) { - if (!testnext(what)) { - if (where == linenumber) - error_expected(what); - else { - syntaxerror(L.pushfstring(LUA_QS(token2str(what)) - + " expected " + "(to close " + LUA_QS(token2str(who)) - + " at line " + where + ")")); - } - } - } - - LuaString str_checkname() { - LuaString ts; - check(TK_NAME); - ts = t.seminfo.ts; - next(); - return ts; - } - - void codestring(expdesc e, LuaString s) { - e.init(VK, fs.stringK(s)); - } - - void checkname(expdesc e) { - codestring(e, str_checkname()); - } - - - int registerlocalvar(LuaString varname) { - FuncState fs = this.fs; - Prototype f = fs.f; - if (f.locvars == null || fs.nlocvars + 1 > f.locvars.length) - f.locvars = LuaC.realloc( f.locvars, fs.nlocvars*2+1 ); - f.locvars[fs.nlocvars] = new LocVars(varname,0,0); - return fs.nlocvars++; - } - - -// -// #define new_localvarliteral(ls,v,n) \ -// this.new_localvar(luaX_newstring(ls, "" v, (sizeof(v)/sizeof(char))-1), n) -// - void new_localvarliteral(String v, int n) { - LuaString ts = newstring(v); - new_localvar(ts, n); - } - - void new_localvar(LuaString name, int n) { - FuncState fs = this.fs; - fs.checklimit(fs.nactvar + n + 1, FuncState.LUAI_MAXVARS, "local variables"); - fs.actvar[fs.nactvar + n] = (short) registerlocalvar(name); - } - - void adjustlocalvars(int nvars) { - FuncState fs = this.fs; - fs.nactvar = (short) (fs.nactvar + nvars); - for (; nvars > 0; nvars--) { - fs.getlocvar(fs.nactvar - nvars).startpc = fs.pc; - } - } - - void removevars(int tolevel) { - FuncState fs = this.fs; - while (fs.nactvar > tolevel) - fs.getlocvar(--fs.nactvar).endpc = fs.pc; - } - - void singlevar(expdesc var) { - LuaString varname = this.str_checkname(); - FuncState fs = this.fs; - if (fs.singlevaraux(varname, var, 1) == VGLOBAL) - var.u.s.info = fs.stringK(varname); /* info points to global name */ - } - - void adjust_assign(int nvars, int nexps, expdesc e) { - FuncState fs = this.fs; - int extra = nvars - nexps; - if (hasmultret(e.k)) { - /* includes call itself */ - extra++; - if (extra < 0) - extra = 0; - /* last exp. provides the difference */ - fs.setreturns(e, extra); - if (extra > 1) - fs.reserveregs(extra - 1); - } else { - /* close last expression */ - if (e.k != VVOID) - fs.exp2nextreg(e); - if (extra > 0) { - int reg = fs.freereg; - fs.reserveregs(extra); - fs.nil(reg, extra); - } - } - } - - void enterlevel() { - if (++L.nCcalls > LUAI_MAXCCALLS) - lexerror("chunk has too many syntax levels", 0); - } - - void leavelevel() { - L.nCcalls--; - } - - void pushclosure(FuncState func, expdesc v) { - FuncState fs = this.fs; - Prototype f = fs.f; - if (f.p == null || fs.np + 1 > f.p.length) - f.p = LuaC.realloc( f.p, fs.np*2 + 1 ); - f.p[fs.np++] = func.f; - v.init(VRELOCABLE, fs.codeABx(Lua.OP_CLOSURE, 0, fs.np - 1)); - for (int i = 0; i < func.f.nups; i++) { - int o = (func.upvalues[i].k == VLOCAL) ? Lua.OP_MOVE - : Lua.OP_GETUPVAL; - fs.codeABC(o, 0, func.upvalues[i].info, 0); - } - } - - void open_func (FuncState fs) { - LuaC L = this.L; - Prototype f = new Prototype(); - if ( this.fs!=null ) - f.source = this.fs.f.source; - fs.f = f; - fs.prev = this.fs; /* linked list of funcstates */ - fs.ls = this; - fs.L = L; - this.fs = fs; - fs.pc = 0; - fs.lasttarget = -1; - fs.jpc = new IntPtr( NO_JUMP ); - fs.freereg = 0; - fs.nk = 0; - fs.np = 0; - fs.nlocvars = 0; - fs.nactvar = 0; - fs.bl = null; - f.maxstacksize = 2; /* registers 0/1 are always valid */ - //fs.h = new LTable(); - fs.htable = new Hashtable(); - } - - void close_func() { - FuncState fs = this.fs; - Prototype f = fs.f; - this.removevars(0); - fs.ret(0, 0); /* final return */ - f.code = LuaC.realloc(f.code, fs.pc); - f.lineinfo = LuaC.realloc(f.lineinfo, fs.pc); - // f.sizelineinfo = fs.pc; - f.k = LuaC.realloc(f.k, fs.nk); - f.p = LuaC.realloc(f.p, fs.np); - f.locvars = LuaC.realloc(f.locvars, fs.nlocvars); - // f.sizelocvars = fs.nlocvars; - f.upvalues = LuaC.realloc(f.upvalues, f.nups); - // LuaC._assert (CheckCode.checkcode(f)); - LuaC._assert (fs.bl == null); - this.fs = fs.prev; -// L.top -= 2; /* remove table and prototype from the stack */ - // /* last token read was anchored in defunct function; must reanchor it - // */ - // if (fs!=null) ls.anchor_token(); - } - - /*============================================================*/ - /* GRAMMAR RULES */ - /*============================================================*/ - - void field(expdesc v) { - /* field -> ['.' | ':'] NAME */ - FuncState fs = this.fs; - expdesc key = new expdesc(); - fs.exp2anyreg(v); - this.next(); /* skip the dot or colon */ - this.checkname(key); - fs.indexed(v, key); - } - - void yindex(expdesc v) { - /* index -> '[' expr ']' */ - this.next(); /* skip the '[' */ - this.expr(v); - this.fs.exp2val(v); - this.checknext(']'); - } - - - /* - ** {====================================================================== - ** Rules for Constructors - ** ======================================================================= - */ - - - static class ConsControl { - expdesc v = new expdesc(); /* last list item read */ - expdesc t; /* table descriptor */ - int nh; /* total number of `record' elements */ - int na; /* total number of array elements */ - int tostore; /* number of array elements pending to be stored */ - }; - - - void recfield(ConsControl cc) { - /* recfield -> (NAME | `['exp1`]') = exp1 */ - FuncState fs = this.fs; - int reg = this.fs.freereg; - expdesc key = new expdesc(); - expdesc val = new expdesc(); - int rkkey; - if (this.t.token == TK_NAME) { - fs.checklimit(cc.nh, MAX_INT, "items in a constructor"); - this.checkname(key); - } else - /* this.t.token == '[' */ - this.yindex(key); - cc.nh++; - this.checknext('='); - rkkey = fs.exp2RK(key); - this.expr(val); - fs.codeABC(Lua.OP_SETTABLE, cc.t.u.s.info, rkkey, fs.exp2RK(val)); - fs.freereg = reg; /* free registers */ - } - - void listfield (ConsControl cc) { - this.expr(cc.v); - fs.checklimit(cc.na, MAX_INT, "items in a constructor"); - cc.na++; - cc.tostore++; - } - - - void constructor(expdesc t) { - /* constructor -> ?? */ - FuncState fs = this.fs; - int line = this.linenumber; - int pc = fs.codeABC(Lua.OP_NEWTABLE, 0, 0, 0); - ConsControl cc = new ConsControl(); - cc.na = cc.nh = cc.tostore = 0; - cc.t = t; - t.init(VRELOCABLE, pc); - cc.v.init(VVOID, 0); /* no value (yet) */ - fs.exp2nextreg(t); /* fix it at stack top (for gc) */ - this.checknext('{'); - do { - LuaC._assert (cc.v.k == VVOID || cc.tostore > 0); - if (this.t.token == '}') - break; - fs.closelistfield(cc); - switch (this.t.token) { - case TK_NAME: { /* may be listfields or recfields */ - this.lookahead(); - if (this.lookahead.token != '=') /* expression? */ - this.listfield(cc); - else - this.recfield(cc); - break; - } - case '[': { /* constructor_item -> recfield */ - this.recfield(cc); - break; - } - default: { /* constructor_part -> listfield */ - this.listfield(cc); - break; - } - } - } while (this.testnext(',') || this.testnext(';')); - this.check_match('}', '{', line); - fs.lastlistfield(cc); - InstructionPtr i = new InstructionPtr(fs.f.code, pc); - LuaC.SETARG_B(i, luaO_int2fb(cc.na)); /* set initial array size */ - LuaC.SETARG_C(i, luaO_int2fb(cc.nh)); /* set initial table size */ - } - - /* - ** converts an integer to a "floating point byte", represented as - ** (eeeeexxx), where the real value is (1xxx) * 2^(eeeee - 1) if - ** eeeee != 0 and (xxx) otherwise. - */ - static int luaO_int2fb (int x) { - int e = 0; /* expoent */ - while (x >= 16) { - x = (x+1) >> 1; - e++; - } - if (x < 8) return x; - else return ((e+1) << 3) | (((int)x) - 8); - } - - - /* }====================================================================== */ - - void parlist () { - /* parlist -> [ param { `,' param } ] */ - FuncState fs = this.fs; - Prototype f = fs.f; - int nparams = 0; - f.is_vararg = 0; - if (this.t.token != ')') { /* is `parlist' not empty? */ - do { - switch (this.t.token) { - case TK_NAME: { /* param . NAME */ - this.new_localvar(this.str_checkname(), nparams++); - break; - } - case TK_DOTS: { /* param . `...' */ - this.next(); - if (LUA_COMPAT_VARARG) { - /* use `arg' as default name */ - this.new_localvarliteral("arg", nparams++); - f.is_vararg = LuaC.VARARG_HASARG | LuaC.VARARG_NEEDSARG; - } - f.is_vararg |= LuaC.VARARG_ISVARARG; - break; - } - default: this.syntaxerror(" or " + LUA_QL("...") + " expected"); - } - } while ((f.is_vararg==0) && this.testnext(',')); - } - this.adjustlocalvars(nparams); - f.numparams = (fs.nactvar - (f.is_vararg & LuaC.VARARG_HASARG)); - fs.reserveregs(fs.nactvar); /* reserve register for parameters */ - } - - - void body(expdesc e, boolean needself, int line) { - /* body -> `(' parlist `)' chunk END */ - FuncState new_fs = new FuncState(); - open_func(new_fs); - new_fs.f.linedefined = line; - this.checknext('('); - if (needself) { - new_localvarliteral("self", 0); - adjustlocalvars(1); - } - this.parlist(); - this.checknext(')'); - this.chunk(); - new_fs.f.lastlinedefined = this.linenumber; - this.check_match(TK_END, TK_FUNCTION, line); - this.close_func(); - this.pushclosure(new_fs, e); - } - - int explist1(expdesc v) { - /* explist1 -> expr { `,' expr } */ - int n = 1; /* at least one expression */ - this.expr(v); - while (this.testnext(',')) { - fs.exp2nextreg(v); - this.expr(v); - n++; - } - return n; - } - - - void funcargs(expdesc f) { - FuncState fs = this.fs; - expdesc args = new expdesc(); - int base, nparams; - int line = this.linenumber; - switch (this.t.token) { - case '(': { /* funcargs -> `(' [ explist1 ] `)' */ - if (line != this.lastline) - this.syntaxerror("ambiguous syntax (function call x new statement)"); - this.next(); - if (this.t.token == ')') /* arg list is empty? */ - args.k = VVOID; - else { - this.explist1(args); - fs.setmultret(args); - } - this.check_match(')', '(', line); - break; - } - case '{': { /* funcargs -> constructor */ - this.constructor(args); - break; - } - case TK_STRING: { /* funcargs -> STRING */ - this.codestring(args, this.t.seminfo.ts); - this.next(); /* must use `seminfo' before `next' */ - break; - } - default: { - this.syntaxerror("function arguments expected"); - return; - } - } - LuaC._assert (f.k == VNONRELOC); - base = f.u.s.info; /* base register for call */ - if (hasmultret(args.k)) - nparams = Lua.LUA_MULTRET; /* open call */ - else { - if (args.k != VVOID) - fs.exp2nextreg(args); /* close last argument */ - nparams = fs.freereg - (base + 1); - } - f.init(VCALL, fs.codeABC(Lua.OP_CALL, base, nparams + 1, 2)); - fs.fixline(line); - fs.freereg = base+1; /* call remove function and arguments and leaves - * (unless changed) one result */ - } - - - /* - ** {====================================================================== - ** Expression parsing - ** ======================================================================= - */ - - void prefixexp(expdesc v) { - /* prefixexp -> NAME | '(' expr ')' */ - switch (this.t.token) { - case '(': { - int line = this.linenumber; - this.next(); - this.expr(v); - this.check_match(')', '(', line); - fs.dischargevars(v); - return; - } - case TK_NAME: { - this.singlevar(v); - return; - } - default: { - this.syntaxerror("unexpected symbol"); - return; - } - } - } - - - void primaryexp(expdesc v) { - /* - * primaryexp -> prefixexp { `.' NAME | `[' exp `]' | `:' NAME funcargs | - * funcargs } - */ - FuncState fs = this.fs; - this.prefixexp(v); - for (;;) { - switch (this.t.token) { - case '.': { /* field */ - this.field(v); - break; - } - case '[': { /* `[' exp1 `]' */ - expdesc key = new expdesc(); - fs.exp2anyreg(v); - this.yindex(key); - fs.indexed(v, key); - break; - } - case ':': { /* `:' NAME funcargs */ - expdesc key = new expdesc(); - this.next(); - this.checkname(key); - fs.self(v, key); - this.funcargs(v); - break; - } - case '(': - case TK_STRING: - case '{': { /* funcargs */ - fs.exp2nextreg(v); - this.funcargs(v); - break; - } - default: - return; - } - } - } - - - void simpleexp(expdesc v) { - /* - * simpleexp -> NUMBER | STRING | NIL | true | false | ... | constructor | - * FUNCTION body | primaryexp - */ - switch (this.t.token) { - case TK_NUMBER: { - v.init(VKNUM, 0); - v.u.setNval(this.t.seminfo.r); - break; - } - case TK_STRING: { - this.codestring(v, this.t.seminfo.ts); - break; - } - case TK_NIL: { - v.init(VNIL, 0); - break; - } - case TK_TRUE: { - v.init(VTRUE, 0); - break; - } - case TK_FALSE: { - v.init(VFALSE, 0); - break; - } - case TK_DOTS: { /* vararg */ - FuncState fs = this.fs; - this.check_condition(fs.f.is_vararg!=0, "cannot use " + LUA_QL("...") - + " outside a vararg function"); - fs.f.is_vararg &= ~LuaC.VARARG_NEEDSARG; /* don't need 'arg' */ - v.init(VVARARG, fs.codeABC(Lua.OP_VARARG, 0, 1, 0)); - break; - } - case '{': { /* constructor */ - this.constructor(v); - return; - } - case TK_FUNCTION: { - this.next(); - this.body(v, false, this.linenumber); - return; - } - default: { - this.primaryexp(v); - return; - } - } - this.next(); - } - - - int getunopr(int op) { - switch (op) { - case TK_NOT: - return OPR_NOT; - case '-': - return OPR_MINUS; - case '#': - return OPR_LEN; - default: - return OPR_NOUNOPR; - } - } - - - int getbinopr(int op) { - switch (op) { - case '+': - return OPR_ADD; - case '-': - return OPR_SUB; - case '*': - return OPR_MUL; - case '/': - return OPR_DIV; - case '%': - return OPR_MOD; - case '^': - return OPR_POW; - case TK_CONCAT: - return OPR_CONCAT; - case TK_NE: - return OPR_NE; - case TK_EQ: - return OPR_EQ; - case '<': - return OPR_LT; - case TK_LE: - return OPR_LE; - case '>': - return OPR_GT; - case TK_GE: - return OPR_GE; - case TK_AND: - return OPR_AND; - case TK_OR: - return OPR_OR; - default: - return OPR_NOBINOPR; - } - } - - static class Priority { - final byte left; /* left priority for each binary operator */ - - final byte right; /* right priority */ - - public Priority(int i, int j) { - left = (byte) i; - right = (byte) j; - } - }; - - static Priority[] priority = { /* ORDER OPR */ - new Priority(6, 6), new Priority(6, 6), new Priority(7, 7), new Priority(7, 7), new Priority(7, 7), /* `+' `-' `/' `%' */ - new Priority(10, 9), new Priority(5, 4), /* power and concat (right associative) */ - new Priority(3, 3), new Priority(3, 3), /* equality and inequality */ - new Priority(3, 3), new Priority(3, 3), new Priority(3, 3), new Priority(3, 3), /* order */ - new Priority(2, 2), new Priority(1, 1) /* logical (and/or) */ - }; - - static final int UNARY_PRIORITY = 8; /* priority for unary operators */ - - - /* - ** subexpr -> (simpleexp | unop subexpr) { binop subexpr } - ** where `binop' is any binary operator with a priority higher than `limit' - */ - int subexpr(expdesc v, int limit) { - int op; - int uop; - this.enterlevel(); - uop = getunopr(this.t.token); - if (uop != OPR_NOUNOPR) { - this.next(); - this.subexpr(v, UNARY_PRIORITY); - fs.prefix(uop, v); - } else - this.simpleexp(v); - /* expand while operators have priorities higher than `limit' */ - op = getbinopr(this.t.token); - while (op != OPR_NOBINOPR && priority[op].left > limit) { - expdesc v2 = new expdesc(); - int nextop; - this.next(); - fs.infix(op, v); - /* read sub-expression with higher priority */ - nextop = this.subexpr(v2, priority[op].right); - fs.posfix(op, v, v2); - op = nextop; - } - this.leavelevel(); - return op; /* return first untreated operator */ - } - - void expr(expdesc v) { - this.subexpr(v, 0); - } - - /* }==================================================================== */ - - - - /* - ** {====================================================================== - ** Rules for Statements - ** ======================================================================= - */ - - - boolean block_follow (int token) { - switch (token) { - case TK_ELSE: case TK_ELSEIF: case TK_END: - case TK_UNTIL: case TK_EOS: - return true; - default: return false; - } - } - - - void block () { - /* block -> chunk */ - FuncState fs = this.fs; - BlockCnt bl = new BlockCnt(); - fs.enterblock(bl, false); - this.chunk(); - LuaC._assert(bl.breaklist.i == NO_JUMP); - fs.leaveblock(); - } - - - /* - ** structure to chain all variables in the left-hand side of an - ** assignment - */ - static class LHS_assign { - LHS_assign prev; - /* variable (global, local, upvalue, or indexed) */ - expdesc v = new expdesc(); - }; - - - /* - ** check whether, in an assignment to a local variable, the local variable - ** is needed in a previous assignment (to a table). If so, save original - ** local value in a safe place and use this safe copy in the previous - ** assignment. - */ - void check_conflict (LHS_assign lh, expdesc v) { - FuncState fs = this.fs; - int extra = fs.freereg; /* eventual position to save local variable */ - boolean conflict = false; - for (; lh!=null; lh = lh.prev) { - if (lh.v.k == VINDEXED) { - if (lh.v.u.s.info == v.u.s.info) { /* conflict? */ - conflict = true; - lh.v.u.s.info = extra; /* previous assignment will use safe copy */ - } - if (lh.v.u.s.aux == v.u.s.info) { /* conflict? */ - conflict = true; - lh.v.u.s.aux = extra; /* previous assignment will use safe copy */ - } - } - } - if (conflict) { - fs.codeABC(Lua.OP_MOVE, fs.freereg, v.u.s.info, 0); /* make copy */ - fs.reserveregs(1); - } - } - - - void assignment (LHS_assign lh, int nvars) { - expdesc e = new expdesc(); - this.check_condition(VLOCAL <= lh.v.k && lh.v.k <= VINDEXED, - "syntax error"); - if (this.testnext(',')) { /* assignment -> `,' primaryexp assignment */ - LHS_assign nv = new LHS_assign(); - nv.prev = lh; - this.primaryexp(nv.v); - if (nv.v.k == VLOCAL) - this.check_conflict(lh, nv.v); - this.assignment(nv, nvars+1); - } - else { /* assignment . `=' explist1 */ - int nexps; - this.checknext('='); - nexps = this.explist1(e); - if (nexps != nvars) { - this.adjust_assign(nvars, nexps, e); - if (nexps > nvars) - this.fs.freereg -= nexps - nvars; /* remove extra values */ - } - else { - fs.setoneret(e); /* close last expression */ - fs.storevar(lh.v, e); - return; /* avoid default */ - } - } - e.init(VNONRELOC, this.fs.freereg-1); /* default assignment */ - fs.storevar(lh.v, e); - } - - - int cond() { - /* cond -> exp */ - expdesc v = new expdesc(); - /* read condition */ - this.expr(v); - /* `falses' are all equal here */ - if (v.k == VNIL) - v.k = VFALSE; - fs.goiftrue(v); - return v.f.i; - } - - - void breakstat() { - FuncState fs = this.fs; - BlockCnt bl = fs.bl; - boolean upval = false; - while (bl != null && !bl.isbreakable) { - upval |= bl.upval; - bl = bl.previous; - } - if (bl == null) - this.syntaxerror("no loop to break"); - if (upval) - fs.codeABC(Lua.OP_CLOSE, bl.nactvar, 0, 0); - fs.concat(bl.breaklist, fs.jump()); - } - - - void whilestat (int line) { - /* whilestat -> WHILE cond DO block END */ - FuncState fs = this.fs; - int whileinit; - int condexit; - BlockCnt bl = new BlockCnt(); - this.next(); /* skip WHILE */ - whileinit = fs.getlabel(); - condexit = this.cond(); - fs.enterblock(bl, true); - this.checknext(TK_DO); - this.block(); - fs.patchlist(fs.jump(), whileinit); - this.check_match(TK_END, TK_WHILE, line); - fs.leaveblock(); - fs.patchtohere(condexit); /* false conditions finish the loop */ - } - - void repeatstat(int line) { - /* repeatstat -> REPEAT block UNTIL cond */ - int condexit; - FuncState fs = this.fs; - int repeat_init = fs.getlabel(); - BlockCnt bl1 = new BlockCnt(); - BlockCnt bl2 = new BlockCnt(); - fs.enterblock(bl1, true); /* loop block */ - fs.enterblock(bl2, false); /* scope block */ - this.next(); /* skip REPEAT */ - this.chunk(); - this.check_match(TK_UNTIL, TK_REPEAT, line); - condexit = this.cond(); /* read condition (inside scope block) */ - if (!bl2.upval) { /* no upvalues? */ - fs.leaveblock(); /* finish scope */ - fs.patchlist(condexit, repeat_init); /* close the loop */ - } else { /* complete semantics when there are upvalues */ - this.breakstat(); /* if condition then break */ - fs.patchtohere(condexit); /* else... */ - fs.leaveblock(); /* finish scope... */ - fs.patchlist(fs.jump(), repeat_init); /* and repeat */ - } - fs.leaveblock(); /* finish loop */ - } - - - int exp1() { - expdesc e = new expdesc(); - int k; - this.expr(e); - k = e.k; - fs.exp2nextreg(e); - return k; - } - - - void forbody(int base, int line, int nvars, boolean isnum) { - /* forbody -> DO block */ - BlockCnt bl = new BlockCnt(); - FuncState fs = this.fs; - int prep, endfor; - this.adjustlocalvars(3); /* control variables */ - this.checknext(TK_DO); - prep = isnum ? fs.codeAsBx(Lua.OP_FORPREP, base, NO_JUMP) : fs.jump(); - fs.enterblock(bl, false); /* scope for declared variables */ - this.adjustlocalvars(nvars); - fs.reserveregs(nvars); - this.block(); - fs.leaveblock(); /* end of scope for declared variables */ - fs.patchtohere(prep); - endfor = (isnum) ? fs.codeAsBx(Lua.OP_FORLOOP, base, NO_JUMP) : fs - .codeABC(Lua.OP_TFORLOOP, base, 0, nvars); - fs.fixline(line); /* pretend that `Lua.OP_FOR' starts the loop */ - fs.patchlist((isnum ? endfor : fs.jump()), prep + 1); - } - - - void fornum(LuaString varname, int line) { - /* fornum -> NAME = exp1,exp1[,exp1] forbody */ - FuncState fs = this.fs; - int base = fs.freereg; - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_INDEX, 0); - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_LIMIT, 1); - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_STEP, 2); - this.new_localvar(varname, 3); - this.checknext('='); - this.exp1(); /* initial value */ - this.checknext(','); - this.exp1(); /* limit */ - if (this.testnext(',')) - this.exp1(); /* optional step */ - else { /* default step = 1 */ - fs.codeABx(Lua.OP_LOADK, fs.freereg, fs.numberK(LuaInteger.valueOf(1))); - fs.reserveregs(1); - } - this.forbody(base, line, 1, true); - } - - - void forlist(LuaString indexname) { - /* forlist -> NAME {,NAME} IN explist1 forbody */ - FuncState fs = this.fs; - expdesc e = new expdesc(); - int nvars = 0; - int line; - int base = fs.freereg; - /* create control variables */ - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_GENERATOR, nvars++); - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_STATE, nvars++); - this.new_localvarliteral(RESERVED_LOCAL_VAR_FOR_CONTROL, nvars++); - /* create declared variables */ - this.new_localvar(indexname, nvars++); - while (this.testnext(',')) - this.new_localvar(this.str_checkname(), nvars++); - this.checknext(TK_IN); - line = this.linenumber; - this.adjust_assign(3, this.explist1(e), e); - fs.checkstack(3); /* extra space to call generator */ - this.forbody(base, line, nvars - 3, false); - } - - - void forstat(int line) { - /* forstat -> FOR (fornum | forlist) END */ - FuncState fs = this.fs; - LuaString varname; - BlockCnt bl = new BlockCnt(); - fs.enterblock(bl, true); /* scope for loop and control variables */ - this.next(); /* skip `for' */ - varname = this.str_checkname(); /* first variable name */ - switch (this.t.token) { - case '=': - this.fornum(varname, line); - break; - case ',': - case TK_IN: - this.forlist(varname); - break; - default: - this.syntaxerror(LUA_QL("=") + " or " + LUA_QL("in") + " expected"); - } - this.check_match(TK_END, TK_FOR, line); - fs.leaveblock(); /* loop scope (`break' jumps to this point) */ - } - - - int test_then_block() { - /* test_then_block -> [IF | ELSEIF] cond THEN block */ - int condexit; - this.next(); /* skip IF or ELSEIF */ - condexit = this.cond(); - this.checknext(TK_THEN); - this.block(); /* `then' part */ - return condexit; - } - - - void ifstat(int line) { - /* ifstat -> IF cond THEN block {ELSEIF cond THEN block} [ELSE block] - * END */ - FuncState fs = this.fs; - int flist; - IntPtr escapelist = new IntPtr(NO_JUMP); - flist = test_then_block(); /* IF cond THEN block */ - while (this.t.token == TK_ELSEIF) { - fs.concat(escapelist, fs.jump()); - fs.patchtohere(flist); - flist = test_then_block(); /* ELSEIF cond THEN block */ - } - if (this.t.token == TK_ELSE) { - fs.concat(escapelist, fs.jump()); - fs.patchtohere(flist); - this.next(); /* skip ELSE (after patch, for correct line info) */ - this.block(); /* `else' part */ - } else - fs.concat(escapelist, flist); - fs.patchtohere(escapelist.i); - this.check_match(TK_END, TK_IF, line); - } - - void localfunc() { - expdesc v = new expdesc(); - expdesc b = new expdesc(); - FuncState fs = this.fs; - this.new_localvar(this.str_checkname(), 0); - v.init(VLOCAL, fs.freereg); - fs.reserveregs(1); - this.adjustlocalvars(1); - this.body(b, false, this.linenumber); - fs.storevar(v, b); - /* debug information will only see the variable after this point! */ - fs.getlocvar(fs.nactvar - 1).startpc = fs.pc; - } - - - void localstat() { - /* stat -> LOCAL NAME {`,' NAME} [`=' explist1] */ - int nvars = 0; - int nexps; - expdesc e = new expdesc(); - do { - this.new_localvar(this.str_checkname(), nvars++); - } while (this.testnext(',')); - if (this.testnext('=')) - nexps = this.explist1(e); - else { - e.k = VVOID; - nexps = 0; - } - this.adjust_assign(nvars, nexps, e); - this.adjustlocalvars(nvars); - } - - - boolean funcname(expdesc v) { - /* funcname -> NAME {field} [`:' NAME] */ - boolean needself = false; - this.singlevar(v); - while (this.t.token == '.') - this.field(v); - if (this.t.token == ':') { - needself = true; - this.field(v); - } - return needself; - } - - - void funcstat(int line) { - /* funcstat -> FUNCTION funcname body */ - boolean needself; - expdesc v = new expdesc(); - expdesc b = new expdesc(); - this.next(); /* skip FUNCTION */ - needself = this.funcname(v); - this.body(b, needself, line); - fs.storevar(v, b); - fs.fixline(line); /* definition `happens' in the first line */ - } - - - void exprstat() { - /* stat -> func | assignment */ - FuncState fs = this.fs; - LHS_assign v = new LHS_assign(); - this.primaryexp(v.v); - if (v.v.k == VCALL) /* stat -> func */ - LuaC.SETARG_C(fs.getcodePtr(v.v), 1); /* call statement uses no results */ - else { /* stat -> assignment */ - v.prev = null; - this.assignment(v, 1); - } - } - - void retstat() { - /* stat -> RETURN explist */ - FuncState fs = this.fs; - expdesc e = new expdesc(); - int first, nret; /* registers with returned values */ - this.next(); /* skip RETURN */ - if (block_follow(this.t.token) || this.t.token == ';') - first = nret = 0; /* return no values */ - else { - nret = this.explist1(e); /* optional return values */ - if (hasmultret(e.k)) { - fs.setmultret(e); - if (e.k == VCALL && nret == 1) { /* tail call? */ - LuaC.SET_OPCODE(fs.getcodePtr(e), Lua.OP_TAILCALL); - LuaC._assert (Lua.GETARG_A(fs.getcode(e)) == fs.nactvar); - } - first = fs.nactvar; - nret = Lua.LUA_MULTRET; /* return all values */ - } else { - if (nret == 1) /* only one single value? */ - first = fs.exp2anyreg(e); - else { - fs.exp2nextreg(e); /* values must go to the `stack' */ - first = fs.nactvar; /* return all `active' values */ - LuaC._assert (nret == fs.freereg - first); - } - } - } - fs.ret(first, nret); - } - - - boolean statement() { - int line = this.linenumber; /* may be needed for error messages */ - switch (this.t.token) { - case TK_IF: { /* stat -> ifstat */ - this.ifstat(line); - return false; - } - case TK_WHILE: { /* stat -> whilestat */ - this.whilestat(line); - return false; - } - case TK_DO: { /* stat -> DO block END */ - this.next(); /* skip DO */ - this.block(); - this.check_match(TK_END, TK_DO, line); - return false; - } - case TK_FOR: { /* stat -> forstat */ - this.forstat(line); - return false; - } - case TK_REPEAT: { /* stat -> repeatstat */ - this.repeatstat(line); - return false; - } - case TK_FUNCTION: { - this.funcstat(line); /* stat -> funcstat */ - return false; - } - case TK_LOCAL: { /* stat -> localstat */ - this.next(); /* skip LOCAL */ - if (this.testnext(TK_FUNCTION)) /* local function? */ - this.localfunc(); - else - this.localstat(); - return false; - } - case TK_RETURN: { /* stat -> retstat */ - this.retstat(); - return true; /* must be last statement */ - } - case TK_BREAK: { /* stat -> breakstat */ - this.next(); /* skip BREAK */ - this.breakstat(); - return true; /* must be last statement */ - } - default: { - this.exprstat(); - return false; /* to avoid warnings */ - } - } - } - - void chunk() { - /* chunk -> { stat [`;'] } */ - boolean islast = false; - this.enterlevel(); - while (!islast && !block_follow(this.t.token)) { - islast = this.statement(); - this.testnext(';'); - LuaC._assert (this.fs.f.maxstacksize >= this.fs.freereg - && this.fs.freereg >= this.fs.nactvar); - this.fs.freereg = this.fs.nactvar; /* free registers */ - } - this.leavelevel(); - } - - /* }====================================================================== */ - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LuaC.java b/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LuaC.java deleted file mode 100644 index f5bb61bf5..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/compiler/LuaC.java +++ /dev/null @@ -1,251 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.compiler; - -import java.io.IOException; -import java.io.InputStream; -import java.util.Hashtable; - -import org.luaj.vm2.LoadState; -import org.luaj.vm2.LocVars; -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaClosure; -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Prototype; -import org.luaj.vm2.LoadState.LuaCompiler; - -/** - * Compiler for Lua. - *

- * Compiles lua source files into lua bytecode within a {@link Prototype}, - * loads lua binary files directly into a{@link Prototype}, - * and optionaly instantiates a {@link LuaClosure} around the result - * using a user-supplied environment. - *

- * Implements the {@link LuaCompiler} interface for loading - * initialized chunks, which is an interface common to - * lua bytecode compiling and java bytecode compiling. - *

- * Teh {@link LuaC} compiler is installed by default by both the - * {@link JsePlatform} and {@link JmePlatform} classes, - * so in the following example, the default {@link LuaC} compiler - * will be used: - *

 {@code
- * LuaValue _G = JsePlatform.standardGlobals();
- * LoadState.load( new ByteArrayInputStream("print 'hello'".getBytes()), "main.lua", _G ).call();
- * } 
- * @see LuaCompiler - * @see LuaJC - * @see JsePlatform - * @see JmePlatform - * @see BaseLib - * @see LuaValue - * @see LuaCompiler - * @see Prototype - */ -public class LuaC extends Lua implements LuaCompiler { - - public static final LuaC instance = new LuaC(); - - /** Install the compiler so that LoadState will first - * try to use it when handed bytes that are - * not already a compiled lua chunk. - */ - public static void install() { - org.luaj.vm2.LoadState.compiler = instance; - } - - protected static void _assert(boolean b) { - if (!b) - throw new LuaError("compiler assert failed"); - } - - public static final int MAXSTACK = 250; - static final int LUAI_MAXUPVALUES = 60; - static final int LUAI_MAXVARS = 200; - static final int NO_REG = MAXARG_A; - - - /* OpMode - basic instruction format */ - static final int - iABC = 0, - iABx = 1, - iAsBx = 2; - - /* OpArgMask */ - static final int - OpArgN = 0, /* argument is not used */ - OpArgU = 1, /* argument is used */ - OpArgR = 2, /* argument is a register or a jump offset */ - OpArgK = 3; /* argument is a constant or register/constant */ - - - static void SET_OPCODE(InstructionPtr i,int o) { - i.set( ( i.get() & (MASK_NOT_OP)) | ((o << POS_OP) & MASK_OP) ); - } - - static void SETARG_A(InstructionPtr i,int u) { - i.set( ( i.get() & (MASK_NOT_A)) | ((u << POS_A) & MASK_A) ); - } - - static void SETARG_B(InstructionPtr i,int u) { - i.set( ( i.get() & (MASK_NOT_B)) | ((u << POS_B) & MASK_B) ); - } - - static void SETARG_C(InstructionPtr i,int u) { - i.set( ( i.get() & (MASK_NOT_C)) | ((u << POS_C) & MASK_C) ); - } - - static void SETARG_Bx(InstructionPtr i,int u) { - i.set( ( i.get() & (MASK_NOT_Bx)) | ((u << POS_Bx) & MASK_Bx) ); - } - - static void SETARG_sBx(InstructionPtr i,int u) { - SETARG_Bx( i, u + MAXARG_sBx ); - } - - static int CREATE_ABC(int o, int a, int b, int c) { - return ((o << POS_OP) & MASK_OP) | - ((a << POS_A) & MASK_A) | - ((b << POS_B) & MASK_B) | - ((c << POS_C) & MASK_C) ; - } - - static int CREATE_ABx(int o, int a, int bc) { - return ((o << POS_OP) & MASK_OP) | - ((a << POS_A) & MASK_A) | - ((bc << POS_Bx) & MASK_Bx) ; - } - - // vector reallocation - - static LuaValue[] realloc(LuaValue[] v, int n) { - LuaValue[] a = new LuaValue[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - static Prototype[] realloc(Prototype[] v, int n) { - Prototype[] a = new Prototype[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - static LuaString[] realloc(LuaString[] v, int n) { - LuaString[] a = new LuaString[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - static LocVars[] realloc(LocVars[] v, int n) { - LocVars[] a = new LocVars[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - static int[] realloc(int[] v, int n) { - int[] a = new int[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - static byte[] realloc(byte[] v, int n) { - byte[] a = new byte[n]; - if ( v != null ) - System.arraycopy(v, 0, a, 0, Math.min(v.length,n)); - return a; - } - - public int nCcalls; - Hashtable strings; - - protected LuaC() {} - - private LuaC(Hashtable strings) { - this.strings = strings; - } - - /** Load into a Closure or LuaFunction, with the supplied initial environment */ - public LuaFunction load(InputStream stream, String name, LuaValue env) throws IOException { - Prototype p = compile( stream, name ); - return new LuaClosure( p, env ); - } - - /** Compile a prototype or load as a binary chunk */ - public static Prototype compile(InputStream stream, String name) throws IOException { - int firstByte = stream.read(); - return ( firstByte == '\033' )? - LoadState.loadBinaryChunk(firstByte, stream, name): - (new LuaC(new Hashtable())).luaY_parser(firstByte, stream, name); - } - - /** Parse the input */ - private Prototype luaY_parser(int firstByte, InputStream z, String name) { - LexState lexstate = new LexState(this, z); - FuncState funcstate = new FuncState(); - // lexstate.buff = buff; - lexstate.setinput( this, firstByte, z, (LuaString) LuaValue.valueOf(name) ); - lexstate.open_func(funcstate); - /* main func. is always vararg */ - funcstate.f.is_vararg = LuaC.VARARG_ISVARARG; - funcstate.f.source = (LuaString) LuaValue.valueOf(name); - lexstate.next(); /* read first token */ - lexstate.chunk(); - lexstate.check(LexState.TK_EOS); - lexstate.close_func(); - LuaC._assert (funcstate.prev == null); - LuaC._assert (funcstate.f.nups == 0); - LuaC._assert (lexstate.fs == null); - return funcstate.f; - } - - // look up and keep at most one copy of each string - public LuaString newTString(byte[] bytes, int offset, int len) { - LuaString tmp = LuaString.valueOf(bytes, offset, len); - LuaString v = (LuaString) strings.get(tmp); - if ( v == null ) { - // must copy bytes, since bytes could be from reusable buffer - byte[] copy = new byte[len]; - System.arraycopy(bytes, offset, copy, 0, len); - v = LuaString.valueOf(copy); - strings.put(v, v); - } - return v; - } - - public String pushfstring(String string) { - return string; - } - - public LuaFunction load(Prototype p, String filename, LuaValue env) { - return new LuaClosure( p, env ); - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/BaseLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/BaseLib.java deleted file mode 100644 index 717d0a50e..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/BaseLib.java +++ /dev/null @@ -1,430 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.IOException; -import java.io.InputStream; -import java.io.PrintStream; - -import org.luaj.vm2.LoadState; -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the lua basic library functions. - *

- * This contains all library functions listed as "basic functions" in the lua documentation for JME. - * The functions dofile and loadfile use the - * {@link #FINDER} instance to find resource files. - * Since JME has no file system by default, {@link BaseLib} implements - * {@link ResourceFinder} using {@link Class#getResource(String)}, - * which is the closest equivalent on JME. - * The default loader chain in {@link PackageLib} will use these as well. - *

- * To use basic library functions that include a {@link ResourceFinder} based on - * directory lookup, use {@link JseBaseLib} instead. - *

- * Typically, this library is included as part of a call to either - * {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.get("print").call(LuaValue.valueOf("hello, world"));
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This is a direct port of the corresponding library in C. - * @see JseBaseLib - * @see ResourceFinder - * @see #FINDER - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.1 - */ -public class BaseLib extends OneArgFunction implements ResourceFinder { - - public static BaseLib instance; - - public InputStream STDIN = null; - public PrintStream STDOUT = System.out; - public PrintStream STDERR = System.err; - - /** - * Singleton file opener for this Java ClassLoader realm. - * - * Unless set or changed elsewhere, will be set by the BaseLib that is created. - */ - public static ResourceFinder FINDER; - - private LuaValue next; - private LuaValue inext; - - private static final String[] LIB2_KEYS = { - "collectgarbage", // ( opt [,arg] ) -> value - "error", // ( message [,level] ) -> ERR - "setfenv", // (f, table) -> void - }; - private static final String[] LIBV_KEYS = { - "assert", // ( v [,message] ) -> v, message | ERR - "dofile", // ( filename ) -> result1, ... - "getfenv", // ( [f] ) -> env - "getmetatable", // ( object ) -> table - "load", // ( func [,chunkname] ) -> chunk | nil, msg - "loadfile", // ( [filename] ) -> chunk | nil, msg - "loadstring", // ( string [,chunkname] ) -> chunk | nil, msg - "pcall", // (f, arg1, ...) -> status, result1, ... - "xpcall", // (f, err) -> result1, ... - "print", // (...) -> void - "select", // (f, ...) -> value1, ... - "unpack", // (list [,i [,j]]) -> result1, ... - "type", // (v) -> value - "rawequal", // (v1, v2) -> boolean - "rawget", // (table, index) -> value - "rawset", // (table, index, value) -> table - "setmetatable", // (table, metatable) -> table - "tostring", // (e) -> value - "tonumber", // (e [,base]) -> value - "pairs", // "pairs" (t) -> iter-func, t, nil - "ipairs", // "ipairs", // (t) -> iter-func, t, 0 - "next", // "next" ( table, [index] ) -> next-index, next-value - "__inext", // "inext" ( table, [int-index] ) -> next-index, next-value - }; - - /** - * Construct a base libarary instance. - */ - public BaseLib() { - instance = this; - } - - public LuaValue call(LuaValue arg) { - env.set( "_G", env ); - env.set( "_VERSION", Lua._VERSION ); - bind( env, BaseLib2.class, LIB2_KEYS ); - bind( env, BaseLibV.class, LIBV_KEYS ); - - // remember next, and inext for use in pairs and ipairs - next = env.get("next"); - inext = env.get("__inext"); - - // inject base lib int vararg instances - for ( int i=0; i value - String s = arg1.checkjstring(); - int result = 0; - if ( "collect".equals(s) ) { - System.gc(); - return ZERO; - } else if ( "count".equals(s) ) { - Runtime rt = Runtime.getRuntime(); - long used = rt.totalMemory() - rt.freeMemory(); - return valueOf(used/1024.); - } else if ( "step".equals(s) ) { - System.gc(); - return LuaValue.TRUE; - } else { - this.argerror(1, "gc op"); - } - return NIL; - case 1: // "error", // ( message [,level] ) -> ERR - throw new LuaError( arg1.isnil()? null: arg1.tojstring(), arg2.optint(1) ); - case 2: { // "setfenv", // (f, table) -> void - LuaTable t = arg2.checktable(); - LuaValue f = getfenvobj(arg1); - if ( ! f.isthread() && ! f.isclosure() ) - error("'setfenv' cannot change environment of given object"); - f.setfenv(t); - return f.isthread()? NONE: f; - } - } - return NIL; - } - } - - private static LuaValue getfenvobj(LuaValue arg) { - if ( arg.isfunction() ) - return arg; - int level = arg.optint(1); - arg.argcheck(level>=0, 1, "level must be non-negative"); - if ( level == 0 ) - return LuaThread.getRunning(); - LuaValue f = LuaThread.getCallstackFunction(level); - arg.argcheck(f != null, 1, "invalid level"); - return f; - } - - static final class BaseLibV extends VarArgFunction { - public BaseLib baselib; - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case 0: // "assert", // ( v [,message] ) -> v, message | ERR - if ( !args.arg1().toboolean() ) - error( args.narg()>1? args.optjstring(2,"assertion failed!"): "assertion failed!" ); - return args; - case 1: // "dofile", // ( filename ) -> result1, ... - { - Varargs v = args.isnil(1)? - BaseLib.loadStream( baselib.STDIN, "=stdin" ): - BaseLib.loadFile( args.checkjstring(1) ); - return v.isnil(1)? error(v.tojstring(2)): v.arg1().invoke(); - } - case 2: // "getfenv", // ( [f] ) -> env - { - LuaValue f = getfenvobj(args.arg1()); - LuaValue e = f.getfenv(); - return e!=null? e: NIL; - } - case 3: // "getmetatable", // ( object ) -> table - { - LuaValue mt = args.checkvalue(1).getmetatable(); - return mt!=null? mt.rawget(METATABLE).optvalue(mt): NIL; - } - case 4: // "load", // ( func [,chunkname] ) -> chunk | nil, msg - { - LuaValue func = args.checkfunction(1); - String chunkname = args.optjstring(2, "function"); - return BaseLib.loadStream(new StringInputStream(func), chunkname); - } - case 5: // "loadfile", // ( [filename] ) -> chunk | nil, msg - { - return args.isnil(1)? - BaseLib.loadStream( baselib.STDIN, "stdin" ): - BaseLib.loadFile( args.checkjstring(1) ); - } - case 6: // "loadstring", // ( string [,chunkname] ) -> chunk | nil, msg - { - LuaString script = args.checkstring(1); - String chunkname = args.optjstring(2, "string"); - return BaseLib.loadStream(script.toInputStream(),chunkname); - } - case 7: // "pcall", // (f, arg1, ...) -> status, result1, ... - { - LuaValue func = args.checkvalue(1); - LuaThread.CallStack cs = LuaThread.onCall(this); - try { - return pcall(func,args.subargs(2),null); - } finally { - cs.onReturn(); - } - } - case 8: // "xpcall", // (f, err) -> result1, ... - { - LuaThread.CallStack cs = LuaThread.onCall(this); - try { - return pcall(args.arg1(),NONE,args.checkvalue(2)); - } finally { - cs.onReturn(); - } - } - case 9: // "print", // (...) -> void - { - LuaValue tostring = LuaThread.getGlobals().get("tostring"); - for ( int i=1, n=args.narg(); i<=n; i++ ) { - if ( i>1 ) baselib.STDOUT.write( '\t' ); - LuaString s = tostring.call( args.arg(i) ).strvalue(); - int z = s.indexOf((byte)0, 0); - baselib.STDOUT.write( s.m_bytes, s.m_offset, z>=0? z: s.m_length ); - } - baselib.STDOUT.println(); - return NONE; - } - case 10: // "select", // (f, ...) -> value1, ... - { - int n = args.narg()-1; - if ( args.arg1().equals(valueOf("#")) ) - return valueOf(n); - int i = args.checkint(1); - if ( i == 0 || i < -n ) - argerror(1,"index out of range"); - return args.subargs(i<0? n+i+2: i+1); - } - case 11: // "unpack", // (list [,i [,j]]) -> result1, ... - { - int na = args.narg(); - LuaTable t = args.checktable(1); - int n = t.length(); - int i = na>=2? args.checkint(2): 1; - int j = na>=3? args.checkint(3): n; - n = j-i+1; - if ( n<0 ) return NONE; - if ( n==1 ) return t.get(i); - if ( n==2 ) return varargsOf(t.get(i),t.get(j)); - LuaValue[] v = new LuaValue[n]; - for ( int k=0; k value - return valueOf(args.checkvalue(1).typename()); - case 13: // "rawequal", // (v1, v2) -> boolean - return valueOf(args.checkvalue(1) == args.checkvalue(2)); - case 14: // "rawget", // (table, index) -> value - return args.checktable(1).rawget(args.checkvalue(2)); - case 15: { // "rawset", // (table, index, value) -> table - LuaTable t = args.checktable(1); - t.rawset(args.checknotnil(2), args.checkvalue(3)); - return t; - } - case 16: { // "setmetatable", // (table, metatable) -> table - final LuaValue t = args.arg1(); - final LuaValue mt0 = t.getmetatable(); - if ( mt0!=null && !mt0.rawget(METATABLE).isnil() ) - error("cannot change a protected metatable"); - final LuaValue mt = args.checkvalue(2); - return t.setmetatable(mt.isnil()? null: mt.checktable()); - } - case 17: { // "tostring", // (e) -> value - LuaValue arg = args.checkvalue(1); - LuaValue h = arg.metatag(TOSTRING); - if ( ! h.isnil() ) - return h.call(arg); - LuaValue v = arg.tostring(); - if ( ! v.isnil() ) - return v; - return valueOf(arg.tojstring()); - } - case 18: { // "tonumber", // (e [,base]) -> value - LuaValue arg1 = args.checkvalue(1); - final int base = args.optint(2,10); - if (base == 10) { /* standard conversion */ - return arg1.tonumber(); - } else { - if ( base < 2 || base > 36 ) - argerror(2, "base out of range"); - return arg1.checkstring().tonumber(base); - } - } - case 19: // "pairs" (t) -> iter-func, t, nil - return varargsOf( baselib.next, args.checktable(1), NIL ); - case 20: // "ipairs", // (t) -> iter-func, t, 0 - return varargsOf( baselib.inext, args.checktable(1), ZERO ); - case 21: // "next" ( table, [index] ) -> next-index, next-value - return args.checktable(1).next(args.arg(2)); - case 22: // "inext" ( table, [int-index] ) -> next-index, next-value - return args.checktable(1).inext(args.arg(2)); - } - return NONE; - } - } - - public static Varargs pcall(LuaValue func, Varargs args, LuaValue errfunc) { - LuaValue olderr = LuaThread.setErrorFunc(errfunc); - try { - Varargs result = varargsOf(LuaValue.TRUE, func.invoke(args)); - LuaThread.setErrorFunc(olderr); - return result; - } catch ( LuaError le ) { - LuaThread.setErrorFunc(olderr); - String m = le.getMessage(); - return varargsOf(FALSE, m!=null? valueOf(m): NIL); - } catch ( Exception e ) { - LuaThread.setErrorFunc(olderr); - String m = e.getMessage(); - return varargsOf(FALSE, valueOf(m!=null? m: e.toString())); - } - } - - /** - * Load from a named file, returning the chunk or nil,error of can't load - * @return Varargs containing chunk, or NIL,error-text on error - */ - public static Varargs loadFile(String filename) { - InputStream is = FINDER.findResource(filename); - if ( is == null ) - return varargsOf(NIL, valueOf("cannot open "+filename+": No such file or directory")); - try { - return loadStream(is, "@"+filename); - } finally { - try { - is.close(); - } catch ( Exception e ) { - e.printStackTrace(); - } - } - } - - public static Varargs loadStream(InputStream is, String chunkname) { - try { - if ( is == null ) - return varargsOf(NIL, valueOf("not found: "+chunkname)); - return LoadState.load(is, chunkname, LuaThread.getGlobals()); - } catch (Exception e) { - return varargsOf(NIL, valueOf(e.getMessage())); - } - } - - - private static class StringInputStream extends InputStream { - final LuaValue func; - byte[] bytes; - int offset, remaining = 0; - StringInputStream(LuaValue func) { - this.func = func; - } - public int read() throws IOException { - if ( remaining <= 0 ) { - LuaValue s = func.call(); - if ( s.isnil() ) - return -1; - LuaString ls = s.strvalue(); - bytes = ls.m_bytes; - offset = ls.m_offset; - remaining = ls.m_length; - if (remaining <= 0) - return -1; - } - --remaining; - return bytes[offset++]; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/Bit32Lib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/Bit32Lib.java deleted file mode 100644 index 5191060fd..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/Bit32Lib.java +++ /dev/null @@ -1,181 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2012 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaInteger; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of LibFunction that implements the Lua standard {@code bit32} library. - */ -public class Bit32Lib extends ZeroArgFunction -{ - public LuaValue call( ) - { - LuaTable t = new LuaTable(); - bind( t, Bit32LibV.class, new String[] { - "band", "bnot", "bor", "btest", "bxor", "extract", "replace" - } ); - bind( t, Bit32Lib2.class, new String[] { - "arshift", "lrotate", "lshift", "rrotate", "rshift" - } ); - env.set( "bit32", t ); - return t; - } - - public static final class Bit32LibV extends VarArgFunction - { - public Varargs invoke( Varargs args ) - { - switch( opcode ) - { - case 0: // band - { - int result = -1; - for( int i = 1; i <= args.narg(); i++ ) - { - result &= args.checkint( i ); - } - return bitsToValue( result ); - } - case 1: // bnot - return bitsToValue( ~args.checkint( 1 ) ); - case 2: // bot - { - int result = 0; - for( int i = 1; i <= args.narg(); i++ ) - { - result |= args.checkint( i ); - } - return bitsToValue( result ); - } - case 3: // btest - { - int bits = -1; - for( int i = 1; i <= args.narg(); i++ ) - { - bits &= args.checkint( i ); - } - return valueOf( bits != 0 ); - } - case 4: // bxor - { - int result = 0; - for( int i = 1; i <= args.narg(); i++ ) - { - result ^= args.checkint( i ); - } - return bitsToValue( result ); - } - case 5: // extract - { - int field = args.checkint( 2 ); - int width = args.optint( 3, 1 ); - - if( field < 0 ) argerror( 2, "field cannot be negative" ); - if( width <= 0 ) argerror( 3, "width must be postive" ); - if( field + width > 32 ) error( "trying to access non-existent bits" ); - - return bitsToValue( (args.checkint( 1 ) >>> field) & (-1 >>> (32 - width)) ); - } - case 6: // replace - { - int n = args.checkint( 1 ); - int v = args.checkint( 2 ); - int field = args.checkint( 3 ); - int width = args.optint( 4, 1 ); - - if( field < 0 ) argerror( 3, "field cannot be negative" ); - if( width <= 0 ) argerror( 4, "width must be postive" ); - if( field + width > 32 ) error( "trying to access non-existent bits" ); - - int mask = (-1 >>> (32 - width)) << field; - n = (n & ~mask) | ((v << field) & mask); - return bitsToValue( n ); - } - } - return NIL; - } - } - - public static final class Bit32Lib2 extends TwoArgFunction - { - public LuaValue call( LuaValue arg1, LuaValue arg2 ) - { - switch( opcode ) - { - case 0: // arshift - { - int x = arg1.checkint(); - int disp = arg2.checkint(); - return disp >= 0 ? bitsToValue( x >> disp ) : bitsToValue( x << -disp ); - } - case 1: // lrotate - return rotate( arg1.checkint(), arg2.checkint() ); - case 2: // lshift - return shift( arg1.checkint(), arg2.checkint() ); - case 3: // rrotate - return rotate( arg1.checkint(), -arg2.checkint() ); - case 4: // rshift - return shift( arg1.checkint(), -arg2.checkint() ); - } - return NIL; - } - } - - static LuaValue rotate( int x, int disp ) - { - if( disp < 0 ) - { - disp = -disp & 31; - return bitsToValue( (x >>> disp) | (x << (32 - disp)) ); - } - else - { - disp = disp & 31; - return bitsToValue( (x << disp) | (x >>> (32 - disp)) ); - } - } - - static LuaValue shift( int x, int disp ) - { - if( disp >= 32 || disp <= -32 ) - { - return ZERO; - } - else if( disp >= 0 ) - { - return bitsToValue( x << disp ); - } - else - { - return bitsToValue( x >>> -disp ); - } - } - - private static LuaValue bitsToValue( int x ) - { - return x < 0 ? LuaValue.valueOf( (long) x & 0xFFFFFFFFL ) : LuaInteger.valueOf( x ); - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/CoroutineLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/CoroutineLib.java deleted file mode 100644 index 5eb1b1546..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/CoroutineLib.java +++ /dev/null @@ -1,134 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2007-2011 LuaJ. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the lua standard {@code coroutine} - * library. - *

- * The coroutine library in luaj has the same behavior as the - * coroutine library in C, but is implemented using Java Threads to maintain - * the call state between invocations. Therefore it can be yielded from anywhere, - * similar to the "Coco" yield-from-anywhere patch available for C-based lua. - * However, coroutines that are yielded but never resumed to complete their execution - * may not be collected by the garbage collector. - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} or {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * _G.load(new CoroutineLib());
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.2 - */ -public class CoroutineLib extends VarArgFunction { - - private static final int INIT = 0; - private static final int CREATE = 1; - private static final int RESUME = 2; - private static final int RUNNING = 3; - private static final int STATUS = 4; - private static final int YIELD = 5; - private static final int WRAP = 6; - private static final int WRAPPED = 7; - - public CoroutineLib() { - } - - private LuaTable init() { - LuaTable t = new LuaTable(); - bind(t, CoroutineLib.class, new String[] { - "create", "resume", "running", "status", "yield", "wrap" }, - CREATE); - env.set("coroutine", t); - PackageLib.instance.LOADED.set("coroutine", t); - return t; - } - - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case INIT: { - return init(); - } - case CREATE: { - final LuaValue func = args.checkfunction(1); - /* DAN200 START */ - //return new LuaThread(func, LuaThread.getGlobals() ); - final LuaThread thread = new LuaThread( func, LuaThread.getGlobals() ); - LuaThread.getRunning().addChild( thread ); - return thread; - /* DAN200 END */ - } - case RESUME: { - final LuaThread t = args.checkthread(1); - return t.resume( args.subargs(2) ); - } - case RUNNING: { - final LuaThread r = LuaThread.getRunning(); - return LuaThread.isMainThread(r)? NIL: r; - } - case STATUS: { - return valueOf( args.checkthread(1).getStatus() ); - } - case YIELD: { - return LuaThread.yield( args ); - } - case WRAP: { - final LuaValue func = args.checkfunction(1); - final LuaThread thread = new LuaThread(func, func.getfenv()); - /* DAN200 START */ - LuaThread.getRunning().addChild( thread ); - /* DAN200 END */ - CoroutineLib cl = new CoroutineLib(); - cl.setfenv(thread); - cl.name = "wrapped"; - cl.opcode = WRAPPED; - return cl; - } - case WRAPPED: { - final LuaThread t = (LuaThread) env; - final Varargs result = t.resume( args ); - if ( result.arg1().toboolean() ) { - return result.subargs(2); - } else { - error( result.arg(2).tojstring() ); - } - } - default: - return NONE; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/DebugLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/DebugLib.java deleted file mode 100644 index da3e103a6..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/DebugLib.java +++ /dev/null @@ -1,977 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.lang.ref.WeakReference; - -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaBoolean; -import org.luaj.vm2.LuaClosure; -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaNil; -import org.luaj.vm2.LuaNumber; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Print; -import org.luaj.vm2.Prototype; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the lua standard {@code debug} - * library. - *

- * The debug library in luaj tries to emulate the behavior of the corresponding C-based lua library. - * To do this, it must maintain a separate stack of calls to {@link LuaClosure} and {@link LibFunction} - * instances. - * Especially when lua-to-java bytecode compiling is being used - * via a {@link LuaCompiler} such as {@link LuaJC}, - * this cannot be done in all cases. - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#debugGlobals()} or {@link JmePlatform#debugGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * _G.load(new DebugLib());
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.9 - */ -public class DebugLib extends VarArgFunction { - public static final boolean CALLS = (null != System.getProperty("CALLS")); - public static final boolean TRACE = (null != System.getProperty("TRACE")); - - // leave this unset to allow obfuscators to - // remove it in production builds - public static boolean DEBUG_ENABLED; - - static final String[] NAMES = { - "debug", - "getfenv", - "gethook", - "getinfo", - "getlocal", - "getmetatable", - "getregistry", - "getupvalue", - "setfenv", - "sethook", - "setlocal", - "setmetatable", - "setupvalue", - "traceback", - }; - - private static final int INIT = 0; - private static final int DEBUG = 1; - private static final int GETFENV = 2; - private static final int GETHOOK = 3; - private static final int GETINFO = 4; - private static final int GETLOCAL = 5; - private static final int GETMETATABLE = 6; - private static final int GETREGISTRY = 7; - private static final int GETUPVALUE = 8; - private static final int SETFENV = 9; - private static final int SETHOOK = 10; - private static final int SETLOCAL = 11; - private static final int SETMETATABLE = 12; - private static final int SETUPVALUE = 13; - private static final int TRACEBACK = 14; - - /* maximum stack for a Lua function */ - private static final int MAXSTACK = 250; - - private static final LuaString LUA = valueOf("Lua"); - private static final LuaString JAVA = valueOf("Java"); - private static final LuaString QMARK = valueOf("?"); - private static final LuaString GLOBAL = valueOf("global"); - private static final LuaString LOCAL = valueOf("local"); - private static final LuaString METHOD = valueOf("method"); - private static final LuaString UPVALUE = valueOf("upvalue"); - private static final LuaString FIELD = valueOf("field"); - private static final LuaString CALL = valueOf("call"); - private static final LuaString LINE = valueOf("line"); - private static final LuaString COUNT = valueOf("count"); - private static final LuaString RETURN = valueOf("return"); - private static final LuaString TAILRETURN = valueOf("tail return"); - - private static final LuaString FUNC = valueOf("func"); - private static final LuaString NUPS = valueOf("nups"); - private static final LuaString NAME = valueOf("name"); - private static final LuaString NAMEWHAT = valueOf("namewhat"); - private static final LuaString WHAT = valueOf("what"); - private static final LuaString SOURCE = valueOf("source"); - private static final LuaString SHORT_SRC = valueOf("short_src"); - private static final LuaString LINEDEFINED = valueOf("linedefined"); - private static final LuaString LASTLINEDEFINED = valueOf("lastlinedefined"); - private static final LuaString CURRENTLINE = valueOf("currentline"); - private static final LuaString ACTIVELINES = valueOf("activelines"); - - public DebugLib() { - } - - private LuaTable init() { - DEBUG_ENABLED = true; - LuaTable t = new LuaTable(); - bind(t, DebugLib.class, NAMES, DEBUG); - env.set("debug", t); - PackageLib.instance.LOADED.set("debug", t); - return t; - } - - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case INIT: return init(); - case DEBUG: return _debug(args); - case GETFENV: return _getfenv(args); - case GETHOOK: return _gethook(args); - case GETINFO: return _getinfo(args,this); - case GETLOCAL: return _getlocal(args); - case GETMETATABLE: return _getmetatable(args); - case GETREGISTRY: return _getregistry(args); - case GETUPVALUE: return _getupvalue(args); - case SETFENV: return _setfenv(args); - case SETHOOK: return _sethook(args); - case SETLOCAL: return _setlocal(args); - case SETMETATABLE: return _setmetatable(args); - case SETUPVALUE: return _setupvalue(args); - case TRACEBACK: return _traceback(args); - default: return NONE; - } - } - - // ------------------------ Debug Info management -------------------------- - // - // when DEBUG_ENABLED is set to true, these functions will be called - // by Closure instances as they process bytecodes. - // - // Each thread will get a DebugState attached to it by the debug library - // which will track function calls, hook functions, etc. - // - static class DebugInfo { - LuaValue func; - LuaClosure closure; - LuaValue[] stack; - Varargs varargs, extras; - int pc, top; - - private DebugInfo() { - func = NIL; - } - private DebugInfo(LuaValue func) { - pc = -1; - setfunction( func ); - } - void setargs(Varargs varargs, LuaValue[] stack) { - this.varargs = varargs; - this.stack = stack; - } - void setfunction( LuaValue func ) { - this.func = func; - this.closure = (func instanceof LuaClosure? (LuaClosure) func: null); - } - void clear() { - func = NIL; - closure = null; - stack = null; - varargs = extras = null; - pc = top = 0; - } - public void bytecode(int pc, Varargs extras, int top) { - this.pc = pc; - this.top = top; - this.extras = extras; - } - public int currentline() { - if ( closure == null ) return -1; - int[] li = closure.p.lineinfo; - return li==null || pc<0 || pc>=li.length? -1: li[pc]; - } - public LuaString[] getfunckind() { - if ( closure == null || pc<0 ) return null; - int stackpos = (closure.p.code[pc] >> 6) & 0xff; - return getobjname(this, stackpos); - } - public String sourceline() { - if ( closure == null ) return func.tojstring(); - String s = closure.p.source.tojstring(); - int line = currentline(); - return (s.startsWith("@")||s.startsWith("=")? s.substring(1): s) + ":" + line; - } - public String tracename() { - // if ( func != null ) - // return func.tojstring(); - LuaString[] kind = getfunckind(); - if ( kind == null ) - return "function ?"; - return "function "+kind[0].tojstring(); - } - public LuaString getlocalname(int index) { - if ( closure == null ) return null; - return closure.p.getlocalname(index, pc); - } - public String tojstring() { - return tracename()+" "+sourceline(); - } - } - - /** DebugState is associated with a Thread */ - static class DebugState { - private final WeakReference thread_ref; - private int debugCalls = 0; - private DebugInfo[] debugInfo = new DebugInfo[LuaThread.MAX_CALLSTACK+1]; - private LuaValue hookfunc; - private boolean hookcall,hookline,hookrtrn,inhook; - private int hookcount,hookcodes; - private int line; - DebugState(LuaThread thread) { - this.thread_ref = new WeakReference(thread); - } - public DebugInfo nextInfo() { - DebugInfo di = debugInfo[debugCalls]; - if ( di == null ) - debugInfo[debugCalls] = di = new DebugInfo(); - return di; - } - public DebugInfo pushInfo( int calls ) { - while ( debugCalls < calls ) { - nextInfo(); - ++debugCalls; - } - return debugInfo[debugCalls-1]; - } - public void popInfo(int calls) { - while ( debugCalls > calls ) - debugInfo[--debugCalls].clear(); - } - void callHookFunc(DebugState ds, LuaString type, LuaValue arg) { - if ( inhook || hookfunc == null ) - return; - inhook = true; - try { - int n = debugCalls; - ds.nextInfo().setargs( arg, null ); - ds.pushInfo(n+1).setfunction(hookfunc); - try { - hookfunc.call(type,arg); - } finally { - ds.popInfo(n); - } - } catch ( Exception e ) { - e.printStackTrace(); - } finally { - inhook = false; - } - } - public void sethook(LuaValue func, boolean call, boolean line, boolean rtrn, int count) { - this.hookcount = count; - this.hookcall = call; - this.hookline = line; - this.hookrtrn = rtrn; - this.hookfunc = func; - } - DebugInfo getDebugInfo() { - try { - return debugInfo[debugCalls-1]; - } catch ( Exception e ) { - if ( debugCalls <= 0 ) - return debugInfo[debugCalls++] = new DebugInfo(); - return null; - } - } - DebugInfo getDebugInfo(int level) { - return level < 0 || level >= debugCalls? null: debugInfo[debugCalls-level-1]; - } - public DebugInfo findDebugInfo(LuaValue func) { - for ( int i=debugCalls; --i>=0; ) { - if ( debugInfo[i].func == func ) { - return debugInfo[i]; - } - } - return new DebugInfo(func); - } - public String tojstring() { - LuaThread thread = (LuaThread) thread_ref.get(); - return thread != null? DebugLib.traceback(thread, 0): "orphaned thread"; - } - } - - static DebugState getDebugState( LuaThread thread ) { - if ( thread.debugState == null ) - thread.debugState = new DebugState(thread); - return (DebugState) thread.debugState; - } - - static DebugState getDebugState() { - return getDebugState( LuaThread.getRunning() ); - } - - /** Called by Closures to set up stack and arguments to next call */ - public static void debugSetupCall(Varargs args, LuaValue[] stack) { - DebugState ds = getDebugState(); - if ( ds.inhook ) - return; - ds.nextInfo().setargs( args, stack ); - } - - /** Called by Closures and recursing java functions on entry - * @param thread the thread for the call - * @param calls the number of calls in the call stack - * @param func the function called - */ - public static void debugOnCall(LuaThread thread, int calls, LuaFunction func) { - DebugState ds = getDebugState(); - if ( ds.inhook ) - return; - DebugInfo di = ds.pushInfo(calls); - di.setfunction( func ); - if(CALLS)System.out.println("calling "+func); - if ( ds.hookcall ) - ds.callHookFunc( ds, CALL, LuaValue.NIL ); - } - - /** Called by Closures and recursing java functions on return - * @param thread the thread for the call - * @param calls the number of calls in the call stack - */ - public static void debugOnReturn(LuaThread thread, int calls) { - DebugState ds = getDebugState(thread); - if ( ds.inhook ) - return; - if(CALLS)System.out.println("returning"); - try { - if ( ds.hookrtrn ) - ds.callHookFunc( ds, RETURN, LuaValue.NIL ); - } finally { - getDebugState().popInfo(calls); - } - } - - /** Called by Closures on bytecode execution */ - public static void debugBytecode( int pc, Varargs extras, int top ) { - DebugState ds = getDebugState(); - if ( ds.inhook ) - return; - DebugInfo di = ds.getDebugInfo(); - if(TRACE)Print.printState(di.closure, pc, di.stack, top, di.varargs); - di.bytecode( pc, extras, top ); - if ( ds.hookcount > 0 ) { - if ( ++ds.hookcodes >= ds.hookcount ) { - ds.hookcodes = 0; - ds.callHookFunc( ds, COUNT, LuaValue.NIL ); - } - } - if ( ds.hookline ) { - int newline = di.currentline(); - if ( newline != ds.line ) { - int c = di.closure.p.code[pc]; - if ( (c&0x3f) != Lua.OP_JMP || ((c>>>14)-0x1ffff) >= 0 ) { - ds.line = newline; - ds.callHookFunc( ds, LINE, LuaValue.valueOf(newline) ); - } - } - } - } - - // ------------------- library function implementations ----------------- - - // j2se subclass may wish to override and provide actual console here. - // j2me platform has not System.in to provide console. - static Varargs _debug(Varargs args) { - return NONE; - } - - static Varargs _gethook(Varargs args) { - int a=1; - LuaThread thread = args.isthread(a)? args.checkthread(a++): LuaThread.getRunning(); - DebugState ds = getDebugState(thread); - return varargsOf( - ds.hookfunc, - valueOf((ds.hookcall?"c":"")+(ds.hookline?"l":"")+(ds.hookrtrn?"r":"")), - valueOf(ds.hookcount)); - } - - static Varargs _sethook(Varargs args) { - int a=1; - LuaThread thread = args.isthread(a)? args.checkthread(a++): LuaThread.getRunning(); - LuaValue func = args.optfunction(a++, null); - String str = args.optjstring(a++,""); - int count = args.optint(a++,0); - boolean call=false,line=false,rtrn=false; - for ( int i=0; i0? - ds.getDebugInfo(level-1): - new DebugInfo( level0func ); - } else { - di = ds.findDebugInfo( func.checkfunction() ); - } - if ( di == null ) - return NIL; - - // start a table - LuaTable info = new LuaTable(); - LuaClosure c = di.closure; - for (int i = 0, j = what.length(); i < j; i++) { - switch (what.charAt(i)) { - case 'S': { - if ( c != null ) { - Prototype p = c.p; - info.set(WHAT, LUA); - info.set(SOURCE, p.source); - info.set(SHORT_SRC, valueOf(sourceshort(p))); - info.set(LINEDEFINED, valueOf(p.linedefined)); - info.set(LASTLINEDEFINED, valueOf(p.lastlinedefined)); - } else { - String shortName = di.func.tojstring(); - LuaString name = LuaString.valueOf("[Java] "+shortName); - info.set(WHAT, JAVA); - info.set(SOURCE, name); - info.set(SHORT_SRC, valueOf(shortName)); - info.set(LINEDEFINED, LuaValue.MINUSONE); - info.set(LASTLINEDEFINED, LuaValue.MINUSONE); - } - break; - } - case 'l': { - int line = di.currentline(); - info.set( CURRENTLINE, valueOf(line) ); - break; - } - case 'u': { - info.set(NUPS, valueOf(c!=null? c.p.nups: 0)); - break; - } - case 'n': { - LuaString[] kind = di.getfunckind(); - info.set(NAME, kind!=null? kind[0]: QMARK); - info.set(NAMEWHAT, kind!=null? kind[1]: EMPTYSTRING); - break; - } - case 'f': { - info.set( FUNC, di.func ); - break; - } - case 'L': { - LuaTable lines = new LuaTable(); - info.set(ACTIVELINES, lines); -// if ( di.luainfo != null ) { -// int line = di.luainfo.currentline(); -// if ( line >= 0 ) -// lines.set(1, IntValue.valueOf(line)); -// } - break; - } - } - } - return info; - } - - public static String sourceshort(Prototype p) { - String name = p.source.tojstring(); - if ( name.startsWith("@") || name.startsWith("=") ) - name = name.substring(1); - else if ( name.startsWith("\033") ) - name = "binary string"; - return name; - } - - static Varargs _getlocal(Varargs args) { - int a=1; - LuaThread thread = args.isthread(a)? args.checkthread(a++): LuaThread.getRunning(); - int level = args.checkint(a++); - int local = args.checkint(a++); - - DebugState ds = getDebugState(thread); - DebugInfo di = ds.getDebugInfo(level-1); - LuaString name = (di!=null? di.getlocalname(local): null); - if ( name != null ) { - LuaValue value = di.stack[local-1]; - return varargsOf( name, value ); - } else { - return NIL; - } - } - - static Varargs _setlocal(Varargs args) { - int a=1; - LuaThread thread = args.isthread(a)? args.checkthread(a++): LuaThread.getRunning(); - int level = args.checkint(a++); - int local = args.checkint(a++); - LuaValue value = args.arg(a++); - - DebugState ds = getDebugState(thread); - DebugInfo di = ds.getDebugInfo(level-1); - LuaString name = (di!=null? di.getlocalname(local): null); - if ( name != null ) { - di.stack[local-1] = value; - return name; - } else { - return NIL; - } - } - - static LuaValue _getmetatable(Varargs args) { - LuaValue object = args.arg(1); - LuaValue mt = object.getmetatable(); - return mt!=null? mt: NIL; - } - - static Varargs _setmetatable(Varargs args) { - LuaValue object = args.arg(1); - try { - LuaValue mt = args.opttable(2, null); - switch ( object.type() ) { - case TNIL: LuaNil.s_metatable = mt; break; - case TNUMBER: LuaNumber.s_metatable = mt; break; - case TBOOLEAN: LuaBoolean.s_metatable = mt; break; - case TSTRING: LuaString.s_metatable = mt; break; - case TFUNCTION: LuaFunction.s_metatable = mt; break; - case TTHREAD: LuaThread.s_metatable = mt; break; - default: object.setmetatable( mt ); - } - return LuaValue.TRUE; - } catch ( LuaError e ) { - return varargsOf(FALSE, valueOf(e.toString())); - } - } - - static Varargs _getregistry(Varargs args) { - return new LuaTable(); - } - - static LuaString findupvalue(LuaClosure c, int up) { - if ( c.upValues != null && up > 0 && up <= c.upValues.length ) { - if ( c.p.upvalues != null && up <= c.p.upvalues.length ) - return c.p.upvalues[up-1]; - else - return LuaString.valueOf( "."+up ); - } - return null; - } - - static Varargs _getupvalue(Varargs args) { - LuaValue func = args.checkfunction(1); - int up = args.checkint(2); - if ( func instanceof LuaClosure ) { - LuaClosure c = (LuaClosure) func; - LuaString name = findupvalue(c, up); - if ( name != null ) { - return varargsOf(name, c.upValues[up-1].getValue() ); - } - } - return NIL; - } - - static LuaValue _setupvalue(Varargs args) { - LuaValue func = args.checkfunction(1); - int up = args.checkint(2); - LuaValue value = args.arg(3); - if ( func instanceof LuaClosure ) { - LuaClosure c = (LuaClosure) func; - LuaString name = findupvalue(c, up); - if ( name != null ) { - c.upValues[up-1].setValue(value); - return name; - } - } - return NIL; - } - - static LuaValue _traceback(Varargs args) { - int a=1; - LuaThread thread = args.isthread(a)? args.checkthread(a++): LuaThread.getRunning(); - String message = args.optjstring(a++, null); - int level = args.optint(a++,1); - String tb = DebugLib.traceback(thread, level-1); - return valueOf(message!=null? message+"\n"+tb: tb); - } - - // =================== public utilities ==================== - - /** - * Get a traceback as a string for the current thread - */ - public static String traceback(int level) { - return traceback(LuaThread.getRunning(), level); - } - - /** - * Get a traceback for a particular thread. - * @param thread LuaThread to provide stack trace for - * @param level 0-based level to start reporting on - * @return String containing the stack trace. - */ - public static String traceback(LuaThread thread, int level) { - StringBuffer sb = new StringBuffer(); - DebugState ds = getDebugState(thread); - sb.append( "stack traceback:" ); - DebugInfo di = ds.getDebugInfo(level); - if ( di != null ) { - sb.append( "\n\t" ); - sb.append( di.sourceline() ); - sb.append( " in " ); - while ( (di = ds.getDebugInfo(++level)) != null ) { - sb.append( di.tracename() ); - sb.append( "\n\t" ); - sb.append( di.sourceline() ); - sb.append( " in " ); - } - sb.append( "main chunk" ); - } - return sb.toString(); - } - - - /** - * Get file and line for the nearest calling closure. - * @return String identifying the file and line of the nearest lua closure, - * or the function name of the Java call if no closure is being called. - */ - public static String fileline() { - DebugState ds = getDebugState(LuaThread.getRunning()); - DebugInfo di; - for ( int i=0, n=ds.debugCalls; i 0) { - /* cannot jump to a setlist count */ - int d = pt.code[dest - 1]; - if ((Lua.GET_OPCODE(d) == Lua.OP_SETLIST && Lua.GETARG_C(d) == 0)) return 0; - } - } - break; - } - } - if (Lua.testAMode(op)) { - if (a == reg) - last = pc; /* change register `a' */ - } - if (Lua.testTMode(op)) { - if (!(pc + 2 < pt.code.length)) return 0; /* check skip */ - if (!(Lua.GET_OPCODE(pt.code[pc + 1]) == Lua.OP_JMP)) return 0; - } - switch (op) { - case Lua.OP_LOADBOOL: { - if (!(c == 0 || pc + 2 < pt.code.length)) return 0; /* check its jump */ - break; - } - case Lua.OP_LOADNIL: { - if (a <= reg && reg <= b) - last = pc; /* set registers from `a' to `b' */ - break; - } - case Lua.OP_GETUPVAL: - case Lua.OP_SETUPVAL: { - if (!(b < pt.nups)) return 0; - break; - } - case Lua.OP_GETGLOBAL: - case Lua.OP_SETGLOBAL: { - if (!(pt.k[b].isstring())) return 0; - break; - } - case Lua.OP_SELF: { - if (!checkreg(pt, a + 1)) return 0; - if (reg == a + 1) - last = pc; - break; - } - case Lua.OP_CONCAT: { - if (!(b < c)) return 0; /* at least two operands */ - break; - } - case Lua.OP_TFORLOOP: { - if (!(c >= 1)) return 0; /* at least one result (control variable) */ - if (!checkreg(pt, a + 2 + c)) return 0; /* space for results */ - if (reg >= a + 2) - last = pc; /* affect all regs above its base */ - break; - } - case Lua.OP_FORLOOP: - case Lua.OP_FORPREP: - if (!checkreg(pt, a + 3)) return 0; - /* go through */ - case Lua.OP_JMP: { - int dest = pc + 1 + b; - /* not full check and jump is forward and do not skip `lastpc'? */ - if (reg != Lua.NO_REG && pc < dest && dest <= lastpc) - pc += b; /* do the jump */ - break; - } - case Lua.OP_CALL: - case Lua.OP_TAILCALL: { - if (b != 0) { - if (!checkreg(pt, a + b - 1)) return 0; - } - c--; /* c = num. returns */ - if (c == Lua.LUA_MULTRET) { - if (!(checkopenop(pt, pc))) return 0; - } else if (c != 0) - if (!checkreg(pt, a + c - 1)) return 0; - if (reg >= a) - last = pc; /* affect all registers above base */ - break; - } - case Lua.OP_RETURN: { - b--; /* b = num. returns */ - if (b > 0) - if (!checkreg(pt, a + b - 1)) return 0; - break; - } - case Lua.OP_SETLIST: { - if (b > 0) - if (!checkreg(pt, a + b)) return 0; - if (c == 0) - pc++; - break; - } - case Lua.OP_CLOSURE: { - int nup, j; - if (!(b < pt.p.length)) return 0; - nup = pt.p[b].nups; - if (!(pc + nup < pt.code.length)) return 0; - for (j = 1; j <= nup; j++) { - int op1 = Lua.GET_OPCODE(pt.code[pc + j]); - if (!(op1 == Lua.OP_GETUPVAL || op1 == Lua.OP_MOVE)) return 0; - } - if (reg != Lua.NO_REG) /* tracing? */ - pc += nup; /* do not 'execute' these pseudo-instructions */ - break; - } - case Lua.OP_VARARG: { - if (!((pt.is_vararg & Lua.VARARG_ISVARARG) != 0 - && (pt.is_vararg & Lua.VARARG_NEEDSARG) == 0)) return 0; - b--; - if (b == Lua.LUA_MULTRET) - if (!(checkopenop(pt, pc))) return 0; - if (!checkreg(pt, a + b - 1)) return 0; - break; - } - default: - break; - } - } - return pt.code[last]; - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/IoLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/IoLib.java deleted file mode 100644 index 0afa7fe5f..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/IoLib.java +++ /dev/null @@ -1,607 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.ByteArrayOutputStream; -import java.io.EOFException; -import java.io.IOException; - -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Abstract base class extending {@link LibFunction} which implements the - * core of the lua standard {@code io} library. - *

- * It contains the implementation of the io library support that is common to - * the JSE and JME platforms. - * In practice on of the concrete IOLib subclasses is chosen: - * {@link org.luaj.vm2.lib.jse.JseIoLib} for the JSE platform, and - * {@link org.luaj.vm2.lib.jme.JmeIoLib} for the JME platform. - *

- * The JSE implementation conforms almost completely to the C-based lua library, - * while the JME implementation follows closely except in the area of random-access files, - * which are difficult to support properly on JME. - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} or {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * _G.load(new JseIoLib());
- * LuaThread.setGlobals(_G);
- * _G.load(new JseBaseLib());
- * _G.load(new PackageLib());
- * _G.load(new JseIoLib());
- * _G.get("io").get("write").call(LuaValue.valueOf("hello, world\n"));
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see JseIoLib - * @see JmeIoLib - * @see http://www.lua.org/manual/5.1/manual.html#5.7 - */ -abstract -public class IoLib extends OneArgFunction { - - abstract - protected class File extends LuaValue{ - abstract public void write( LuaString string ) throws IOException; - abstract public void flush() throws IOException; - abstract public boolean isstdfile(); - abstract public void close() throws IOException; - abstract public boolean isclosed(); - // returns new position - abstract public int seek(String option, int bytecount) throws IOException; - abstract public void setvbuf(String mode, int size); - // get length remaining to read - abstract public int remaining() throws IOException; - // peek ahead one character - abstract public int peek() throws IOException, EOFException; - // return char if read, -1 if eof, throw IOException on other exception - abstract public int read() throws IOException, EOFException; - // return number of bytes read if positive, false if eof, throw IOException on other exception - abstract public int read(byte[] bytes, int offset, int length) throws IOException; - - // delegate method access to file methods table - public LuaValue get( LuaValue key ) { - return filemethods.get(key); - } - - // essentially a userdata instance - public int type() { - return LuaValue.TUSERDATA; - } - public String typename() { - return "userdata"; - } - - // displays as "file" type - public String tojstring() { - return "file: " + Integer.toHexString(hashCode()); - } - } - - - /** - * Wrap the standard input. - * @return File - * @throws IOException - */ - abstract protected File wrapStdin() throws IOException; - - /** - * Wrap the standard output. - * @return File - * @throws IOException - */ - abstract protected File wrapStdout() throws IOException; - - /** - * Open a file in a particular mode. - * @param filename - * @param readMode true if opening in read mode - * @param appendMode true if opening in append mode - * @param updateMode true if opening in update mode - * @param binaryMode true if opening in binary mode - * @return File object if successful - * @throws IOException if could not be opened - */ - abstract protected File openFile( String filename, boolean readMode, boolean appendMode, boolean updateMode, boolean binaryMode ) throws IOException; - - /** - * Open a temporary file. - * @return File object if successful - * @throws IOException if could not be opened - */ - abstract protected File tmpFile() throws IOException; - - /** - * Start a new process and return a file for input or output - * @param prog the program to execute - * @param mode "r" to read, "w" to write - * @return File to read to or write from - * @throws IOException if an i/o exception occurs - */ - abstract protected File openProgram(String prog, String mode) throws IOException; - - private File infile = null; - private File outfile = null; - private File errfile = null; - - private static final LuaValue STDIN = valueOf("stdin"); - private static final LuaValue STDOUT = valueOf("stdout"); - private static final LuaValue STDERR = valueOf("stderr"); - private static final LuaValue FILE = valueOf("file"); - private static final LuaValue CLOSED_FILE = valueOf("closed file"); - - private static final int IO_CLOSE = 0; - private static final int IO_FLUSH = 1; - private static final int IO_INPUT = 2; - private static final int IO_LINES = 3; - private static final int IO_OPEN = 4; - private static final int IO_OUTPUT = 5; - private static final int IO_POPEN = 6; - private static final int IO_READ = 7; - private static final int IO_TMPFILE = 8; - private static final int IO_TYPE = 9; - private static final int IO_WRITE = 10; - - private static final int FILE_CLOSE = 11; - private static final int FILE_FLUSH = 12; - private static final int FILE_LINES = 13; - private static final int FILE_READ = 14; - private static final int FILE_SEEK = 15; - private static final int FILE_SETVBUF = 16; - private static final int FILE_WRITE = 17; - - private static final int IO_INDEX = 18; - private static final int LINES_ITER = 19; - - public static final String[] IO_NAMES = { - "close", - "flush", - "input", - "lines", - "open", - "output", - "popen", - "read", - "tmpfile", - "type", - "write", - }; - - public static final String[] FILE_NAMES = { - "close", - "flush", - "lines", - "read", - "seek", - "setvbuf", - "write", - }; - - LuaTable filemethods; - - public IoLib() { - } - - public LuaValue call(LuaValue arg) { - - // io lib functions - LuaTable t = new LuaTable(); - bind(t, IoLibV.class, IO_NAMES ); - - // create file methods table - filemethods = new LuaTable(); - bind(filemethods, IoLibV.class, FILE_NAMES, FILE_CLOSE ); - - // set up file metatable - LuaTable mt = new LuaTable(); - bind(mt, IoLibV.class, new String[] { "__index" }, IO_INDEX ); - t.setmetatable( mt ); - - // all functions link to library instance - setLibInstance( t ); - setLibInstance( filemethods ); - setLibInstance( mt ); - - // return the table - env.set("io", t); - PackageLib.instance.LOADED.set("io", t); - return t; - } - - private void setLibInstance(LuaTable t) { - LuaValue[] k = t.keys(); - for ( int i=0, n=k.length; i bool - public Varargs _io_flush() throws IOException { - checkopen(output()); - outfile.flush(); - return LuaValue.TRUE; - } - - // io.tmpfile() -> file - public Varargs _io_tmpfile() throws IOException { - return tmpFile(); - } - - // io.close([file]) -> void - public Varargs _io_close(LuaValue file) throws IOException { - File f = file.isnil()? output(): checkfile(file); - checkopen(f); - return ioclose(f); - } - - // io.input([file]) -> file - public Varargs _io_input(LuaValue file) { - infile = file.isnil()? input(): - file.isstring()? ioopenfile(file.checkjstring(),"r"): - checkfile(file); - return infile; - } - - // io.output(filename) -> file - public Varargs _io_output(LuaValue filename) { - outfile = filename.isnil()? output(): - filename.isstring()? ioopenfile(filename.checkjstring(),"w"): - checkfile(filename); - return outfile; - } - - // io.type(obj) -> "file" | "closed file" | nil - public Varargs _io_type(LuaValue obj) { - File f = optfile(obj); - return f!=null? - f.isclosed()? CLOSED_FILE: FILE: - NIL; - } - - // io.popen(prog, [mode]) -> file - public Varargs _io_popen(String prog, String mode) throws IOException { - return openProgram(prog, mode); - } - - // io.open(filename, [mode]) -> file | nil,err - public Varargs _io_open(String filename, String mode) throws IOException { - return rawopenfile(filename, mode); - } - - // io.lines(filename) -> iterator - public Varargs _io_lines(String filename) { - infile = filename==null? input(): ioopenfile(filename,"r"); - checkopen(infile); - return lines(infile); - } - - // io.read(...) -> (...) - public Varargs _io_read(Varargs args) throws IOException { - checkopen(input()); - return ioread(infile,args); - } - - // io.write(...) -> void - public Varargs _io_write(Varargs args) throws IOException { - checkopen(output()); - return iowrite(outfile,args); - } - - // file:close() -> void - public Varargs _file_close(LuaValue file) throws IOException { - return ioclose(checkfile(file)); - } - - // file:flush() -> void - public Varargs _file_flush(LuaValue file) throws IOException { - checkfile(file).flush(); - return LuaValue.TRUE; - } - - // file:setvbuf(mode,[size]) -> void - public Varargs _file_setvbuf(LuaValue file, String mode, int size) { - checkfile(file).setvbuf(mode,size); - return LuaValue.TRUE; - } - - // file:lines() -> iterator - public Varargs _file_lines(LuaValue file) { - return lines(checkfile(file)); - } - - // file:read(...) -> (...) - public Varargs _file_read(LuaValue file, Varargs subargs) throws IOException { - return ioread(checkfile(file),subargs); - } - - // file:seek([whence][,offset]) -> pos | nil,error - public Varargs _file_seek(LuaValue file, String whence, int offset) throws IOException { - return valueOf( checkfile(file).seek(whence,offset) ); - } - - // file:write(...) -> void - public Varargs _file_write(LuaValue file, Varargs subargs) throws IOException { - return iowrite(checkfile(file),subargs); - } - - // __index, returns a field - public Varargs _io_index(LuaValue v) { - return v.equals(STDOUT)?output(): - v.equals(STDIN)? input(): - v.equals(STDERR)? errput(): NIL; - } - - // lines iterator(s,var) -> var' - public Varargs _lines_iter(LuaValue file) throws IOException { - return freadline(checkfile(file)); - } - - private File output() { - return outfile!=null? outfile: (outfile=ioopenfile("-","w")); - } - - private File errput() { - return errfile!=null? errfile: (errfile=ioopenfile("-","w")); - } - - private File ioopenfile(String filename, String mode) { - try { - return rawopenfile(filename, mode); - } catch ( Exception e ) { - error("io error: "+e.getMessage()); - return null; - } - } - - private static Varargs ioclose(File f) throws IOException { - if ( f.isstdfile() ) - return errorresult("cannot close standard file"); - else { - f.close(); - return successresult(); - } - } - - private static Varargs successresult() { - return LuaValue.TRUE; - } - - private static Varargs errorresult(Exception ioe) { - String s = ioe.getMessage(); - return errorresult("io error: "+(s!=null? s: ioe.toString())); - } - - private static Varargs errorresult(String errortext) { - return varargsOf(NIL, valueOf(errortext)); - } - - private Varargs lines(final File f) { - try { - return new IoLibV(f,"lnext",LINES_ITER,this); - } catch ( Exception e ) { - return error("lines: "+e); - } - } - - private static Varargs iowrite(File f, Varargs args) throws IOException { - for ( int i=1, n=args.narg(); i<=n; i++ ) - f.write( args.checkstring(i) ); - return LuaValue.TRUE; - } - - private Varargs ioread(File f, Varargs args) throws IOException { - int i,n=args.narg(); - LuaValue[] v = new LuaValue[n]; - LuaValue ai,vi; - LuaString fmt; - for ( i=0; i 0; - boolean isbinary = mode.endsWith("b"); - return openFile( filename, isreadmode, isappend, isupdate, isbinary ); - } - - - // ------------- file reading utilitied ------------------ - - public static LuaValue freadbytes(File f, int count) throws IOException { - byte[] b = new byte[count]; - int r; - if ( ( r = f.read(b,0,b.length) ) < 0 ) - return NIL; - return LuaString.valueOf(b, 0, r); - } - public static LuaValue freaduntil(File f,boolean lineonly) throws IOException { - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - int c; - try { - if ( lineonly ) { - loop: while ( (c = f.read()) > 0 ) { - switch ( c ) { - case '\r': break; - case '\n': break loop; - default: baos.write(c); break; - } - } - } else { - while ( (c = f.read()) > 0 ) - baos.write(c); - } - } catch ( EOFException e ) { - c = -1; - } - return ( c < 0 && baos.size() == 0 )? - (LuaValue) NIL: - (LuaValue) LuaString.valueOf(baos.toByteArray()); - } - public static LuaValue freadline(File f) throws IOException { - return freaduntil(f,true); - } - public static LuaValue freadall(File f) throws IOException { - int n = f.remaining(); - if ( n >= 0 ) { - return freadbytes(f, n); - } else { - return freaduntil(f,false); - } - } - public static LuaValue freadnumber(File f) throws IOException { - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - freadchars(f," \t\r\n",null); - freadchars(f,"-+",baos); - //freadchars(f,"0",baos); - //freadchars(f,"xX",baos); - freadchars(f,"0123456789",baos); - freadchars(f,".",baos); - freadchars(f,"0123456789",baos); - //freadchars(f,"eEfFgG",baos); - // freadchars(f,"+-",baos); - //freadchars(f,"0123456789",baos); - String s = baos.toString(); - return s.length()>0? valueOf( Double.parseDouble(s) ): NIL; - } - private static void freadchars(File f, String chars, ByteArrayOutputStream baos) throws IOException { - int c; - while ( true ) { - c = f.peek(); - if ( chars.indexOf(c) < 0 ) { - return; - } - f.read(); - if ( baos != null ) - baos.write( c ); - } - } - - - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/LibFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/LibFunction.java deleted file mode 100644 index ac01611d7..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/LibFunction.java +++ /dev/null @@ -1,200 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaValue; - -/** - * Subclass of {@link LuaFunction} common to Java functions exposed to lua. - *

- * To provide for common implementations in JME and JSE, - * library functions are typically grouped on one or more library classes - * and an opcode per library function is defined and used to key the switch - * to the correct function within the library. - *

- * Since lua functions can be called with too few or too many arguments, - * and there are overloaded {@link LuaValue#call()} functions with varying - * number of arguments, a Java function exposed in lua needs to handle the - * argument fixup when a function is called with a number of arguments - * differs from that expected. - *

- * To simplify the creation of library functions, - * there are 5 direct subclasses to handle common cases based on number of - * argument values and number of return return values. - *

    - *
  • {@link ZeroArgFunction}
  • - *
  • {@link OneArgFunction}
  • - *
  • {@link TwoArgFunction}
  • - *
  • {@link ThreeArgFunction}
  • - *
  • {@link VarArgFunction}
  • - *
- *

- * To be a Java library that can be loaded via {@code require}, it should have - * a public constructor that returns a {@link LuaValue} that, when executed, - * initializes the library. - *

- * For example, the following code will implement a library called "hyperbolic" - * with two functions, "sinh", and "cosh": -

 {@code 
- * import org.luaj.vm2.LuaValue;
- * import org.luaj.vm2.lib.OneArgFunction;
- * 
- * public class hyperbolic extends OneArgFunction {
- *
- *	public hyperbolic() {}
- *
- *	public LuaValue call(LuaValue libname) {
- *		LuaValue library = tableOf();
- *		library.set( "sinh", new sinh() );
- *		library.set( "cosh", new cosh() );
- *		env.set( "hyperbolic", library );
- *		return library;
- *	}
- *
- *	static class sinh extends OneArgFunction {
- *		public LuaValue call(LuaValue x) {
- *			return LuaValue.valueOf(Math.sinh(x.checkdouble()));
- *		}
- *	}
- *	
- *	static class cosh extends OneArgFunction {
- *		public LuaValue call(LuaValue x) {
- *			return LuaValue.valueOf(Math.cosh(x.checkdouble()));
- *		}
- *	}
- *}
- *}
- * The default constructor is used to instantiate the library - * in response to {@code require 'hyperbolic'} statement, - * provided it is on Javas class path. - * This instance is then invoked with the name supplied to require() - * as the only argument, and library should initialized whatever global - * data it needs to and place it into the environment if needed. - * In this case, it creates two function, 'sinh', and 'cosh', and puts - * them into a global table called 'hyperbolic.' - * It placed the library table into the globals via the {@link #env} - * local variable which corresponds to the globals that apply when the - * library is loaded. - *

- * To test it, a script such as this can be used: - *

 {@code
- * local t = require('hyperbolic')
- * print( 't', t )
- * print( 'hyperbolic', hyperbolic )
- * for k,v in pairs(t) do
- * 	print( 'k,v', k,v )
- * end
- * print( 'sinh(.5)', hyperbolic.sinh(.5) )
- * print( 'cosh(.5)', hyperbolic.cosh(.5) )
- * }
- *

- * It should produce something like: - *

 {@code
- * t	table: 3dbbd23f
- * hyperbolic	table: 3dbbd23f
- * k,v	cosh	function: 3dbbd128
- * k,v	sinh	function: 3dbbd242
- * sinh(.5)	0.5210953
- * cosh(.5)	1.127626
- * }
- *

- * See the source code in any of the library functions - * such as {@link BaseLib} or {@link TableLib} for other examples. - */ -abstract public class LibFunction extends LuaFunction { - - /** User-defined opcode to differentiate between instances of the library function class. - *

- * Subclass will typicall switch on this value to provide the specific behavior for each function. - */ - protected int opcode; - - /** The common name for this function, useful for debugging. - *

- * Binding functions initialize this to the name to which it is bound. - */ - protected String name; - - /** Default constructor for use by subclasses */ - protected LibFunction() { - } - - public String tojstring() { - return name != null? name: super.tojstring(); - } - - /** - * Bind a set of library functions. - *

- * An array of names is provided, and the first name is bound - * with opcode = 0, second with 1, etc. - * @param env The environment to apply to each bound function - * @param factory the Class to instantiate for each bound function - * @param names array of String names, one for each function. - * @see #bind(LuaValue, Class, String[], int) - */ - protected void bind(LuaValue env, Class factory, String[] names ) { - bind( env, factory, names, 0 ); - } - - /** - * Bind a set of library functions, with an offset - *

- * An array of names is provided, and the first name is bound - * with opcode = {@code firstopcode}, second with {@code firstopcode+1}, etc. - * @param env The environment to apply to each bound function - * @param factory the Class to instantiate for each bound function - * @param names array of String names, one for each function. - * @param firstopcode the first opcode to use - * @see #bind(LuaValue, Class, String[]) - */ - protected void bind(LuaValue env, Class factory, String[] names, int firstopcode ) { - try { - for ( int i=0, n=names.length; i - * It contains only the math library support that is possible on JME. - * For a more complete implementation based on math functions specific to JSE - * use {@link org.luaj.vm2.lib.jse.JseMathLib}. - * In Particular the following math functions are not implemented by this library: - *

    - *
  • acos
  • - *
  • asin
  • - *
  • atan
  • - *
  • cosh
  • - *
  • log
  • - *
  • log10
  • - *
  • sinh
  • - *
  • tanh
  • - *
  • atan2
  • - *
- *

- * The implementations of {@code exp()} and {@code pow()} are constructed by - * hand for JME, so will be slower and less accurate than when executed on the JSE platform. - *

- * Typically, this library is included as part of a call to either - * {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new MathLib());
- * System.out.println( _G.get("math").get("sqrt").call( LuaValue.valueOf(2) ) );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see JseMathLib - * @see http://www.lua.org/manual/5.1/manual.html#5.6 - */ -public class MathLib extends OneArgFunction { - - public static MathLib MATHLIB = null; - - private Random random; - - public MathLib() { - MATHLIB = this; - } - - public LuaValue call(LuaValue arg) { - LuaTable t = new LuaTable(0,30); - t.set( "pi", Math.PI ); - t.set( "huge", LuaDouble.POSINF ); - bind( t, MathLib1.class, new String[] { - "abs", "ceil", "cos", "deg", - "exp", "floor", "rad", "sin", - "sqrt", "tan" } ); - bind( t, MathLib2.class, new String[] { - "fmod", "ldexp", "pow", } ); - bind( t, MathLibV.class, new String[] { - "frexp", "max", "min", "modf", - "randomseed", "random", } ); - ((MathLibV) t.get("randomseed")).mathlib = this; - ((MathLibV) t.get("random" )).mathlib = this; - env.set("math", t); - PackageLib.instance.LOADED.set("math", t); - return t; - } - - static final class MathLib1 extends OneArgFunction { - public LuaValue call(LuaValue arg) { - switch ( opcode ) { - case 0: return valueOf(Math.abs(arg.checkdouble())); - case 1: return valueOf(Math.ceil(arg.checkdouble())); - case 2: return valueOf(Math.cos(arg.checkdouble())); - case 3: return valueOf(Math.toDegrees(arg.checkdouble())); - case 4: return dpow(Math.E,arg.checkdouble()); - case 5: return valueOf(Math.floor(arg.checkdouble())); - case 6: return valueOf(Math.toRadians(arg.checkdouble())); - case 7: return valueOf(Math.sin(arg.checkdouble())); - case 8: return valueOf(Math.sqrt(arg.checkdouble())); - case 9: return valueOf(Math.tan(arg.checkdouble())); - } - return NIL; - } - } - - static final class MathLib2 extends TwoArgFunction { - protected MathLib mathlib; - public LuaValue call(LuaValue arg1, LuaValue arg2) { - switch ( opcode ) { - case 0: { // fmod - double x = arg1.checkdouble(); - double y = arg2.checkdouble(); - double q = x/y; - double f = x - y * (q>=0? Math.floor(q): Math.ceil(q)); - return valueOf( f ); - } - case 1: { // ldexp - double x = arg1.checkdouble(); - double y = arg2.checkdouble()+1023.5; - long e = (long) ((0!=(1&((int)y)))? Math.floor(y): Math.ceil(y-1)); - return valueOf(x * Double.longBitsToDouble(e << 52)); - } - case 2: { // pow - return dpow(arg1.checkdouble(), arg2.checkdouble()); - } - } - return NIL; - } - } - - /** compute power using installed math library, or default if there is no math library installed */ - public static LuaValue dpow(double a, double b) { - return LuaDouble.valueOf( - MATHLIB!=null? - MATHLIB.dpow_lib(a,b): - dpow_default(a,b) ); - } - public static double dpow_d(double a, double b) { - return MATHLIB!=null? - MATHLIB.dpow_lib(a,b): - dpow_default(a,b); - } - - /** - * Hook to override default dpow behavior with faster implementation. - */ - public double dpow_lib(double a, double b) { - return dpow_default(a,b); - } - - /** - * Default JME version computes using longhand heuristics. - */ - protected static double dpow_default(double a, double b) { - if ( b < 0 ) - return 1 / dpow_default( a, -b ); - double p = 1; - int whole = (int) b; - for ( double v=a; whole > 0; whole>>=1, v*=v ) - if ( (whole & 1) != 0 ) - p *= v; - if ( (b -= whole) > 0 ) { - int frac = (int) (0x10000 * b); - for ( ; (frac&0xffff)!=0; frac<<=1 ) { - a = Math.sqrt(a); - if ( (frac & 0x8000) != 0 ) - p *= a; - } - } - return p; - } - - static final class MathLibV extends VarArgFunction { - protected MathLib mathlib; - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case 0: { // frexp - double x = args.checkdouble(1); - if ( x == 0 ) return varargsOf(ZERO,ZERO); - long bits = Double.doubleToLongBits( x ); - double m = ((bits & (~(-1L<<52))) + (1L<<52)) * ((bits >= 0)? (.5 / (1L<<52)): (-.5 / (1L<<52))); - double e = (((int) (bits >> 52)) & 0x7ff) - 1022; - return varargsOf( valueOf(m), valueOf(e) ); - } - case 1: { // max - double m = args.checkdouble(1); - for ( int i=2,n=args.narg(); i<=n; ++i ) - m = Math.max(m,args.checkdouble(i)); - return valueOf(m); - } - case 2: { // min - double m = args.checkdouble(1); - for ( int i=2,n=args.narg(); i<=n; ++i ) - m = Math.min(m,args.checkdouble(i)); - return valueOf(m); - } - case 3: { // modf - double x = args.checkdouble(1); - double intPart = ( x > 0 ) ? Math.floor( x ) : Math.ceil( x ); - double fracPart = x - intPart; - return varargsOf( valueOf(intPart), valueOf(fracPart) ); - } - case 4: { // randomseed - long seed = args.checklong(1); - mathlib.random = new Random(seed); - return NONE; - } - case 5: { // random - if ( mathlib.random == null ) - mathlib.random = new Random(); - - switch ( args.narg() ) { - case 0: - return valueOf( mathlib.random.nextDouble() ); - case 1: { - int m = args.checkint(1); - if (m<1) argerror(1, "interval is empty"); - return valueOf( 1 + mathlib.random.nextInt(m) ); - } - default: { - int m = args.checkint(1); - int n = args.checkint(2); - if (n - * Subclasses need only implement {@link LuaValue#call(LuaValue)} to complete this class, - * simplifying development. - * All other uses of {@link #call()}, {@link #invoke(Varargs)},etc, - * are routed through this method by this class, - * dropping or extending arguments with {@code nil} values as required. - *

- * If more than one argument are required, or no arguments are required, - * or variable argument or variable return values, - * then use one of the related function - * {@link ZeroArgFunction}, {@link TwoArgFunction}, {@link ThreeArgFunction}, or {@link VarArgFunction}. - *

- * See {@link LibFunction} for more information on implementation libraries and library functions. - * @see #call(LuaValue) - * @see LibFunction - * @see ZeroArgFunction - * @see TwoArgFunction - * @see ThreeArgFunction - * @see VarArgFunction - */ -abstract public class OneArgFunction extends LibFunction { - - abstract public LuaValue call(LuaValue arg); - - /** Default constructor */ - public OneArgFunction() { - } - - /** Constructor with specific environment - * @param env The environment to apply during constructon. - */ - public OneArgFunction( LuaValue env ) { - this.env = env; - } - - public final LuaValue call() { - return call(NIL); - } - - public final LuaValue call(LuaValue arg1, LuaValue arg2) { - return call(arg1); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return call(arg1); - } - - public Varargs invoke(Varargs varargs) { - return call(varargs.arg1()); - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/OsLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/OsLib.java deleted file mode 100644 index 77c931542..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/OsLib.java +++ /dev/null @@ -1,323 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.IOException; - -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the standard lua {@code os} library. - *

- * It is a usable base with simplified stub functions - * for library functions that cannot be implemented uniformly - * on Jse and Jme. - *

- * This can be installed as-is on either platform, or extended - * and refined to be used in a complete Jse implementation. - *

- * Because the nature of the {@code os} library is to encapsulate - * os-specific features, the behavior of these functions varies considerably - * from their counterparts in the C platform. - *

- * The following functions have limited implementations of features - * that are not supported well on Jme: - *

    - *
  • {@code execute()}
  • - *
  • {@code remove()}
  • - *
  • {@code rename()}
  • - *
  • {@code tmpname()}
  • - *
- *

- * Typically, this library is included as part of a call to either - * {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new OsLib());
- * System.out.println( _G.get("os").get("time").call() );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * @see LibFunction - * @see JseOsLib - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.8 - */ -public class OsLib extends VarArgFunction { - public static String TMP_PREFIX = ".luaj"; - public static String TMP_SUFFIX = "tmp"; - - private static final int INIT = 0; - private static final int CLOCK = 1; - private static final int DATE = 2; - private static final int DIFFTIME = 3; - private static final int EXECUTE = 4; - private static final int EXIT = 5; - private static final int GETENV = 6; - private static final int REMOVE = 7; - private static final int RENAME = 8; - private static final int SETLOCALE = 9; - private static final int TIME = 10; - private static final int TMPNAME = 11; - - private static final String[] NAMES = { - "clock", - "date", - "difftime", - "execute", - "exit", - "getenv", - "remove", - "rename", - "setlocale", - "time", - "tmpname", - }; - - private static final long t0 = System.currentTimeMillis(); - private static long tmpnames = t0; - - /** - * Create and OsLib instance. - */ - public OsLib() { - } - - public LuaValue init() { - LuaTable t = new LuaTable(); - bind(t, this.getClass(), NAMES, CLOCK); - env.set("os", t); - PackageLib.instance.LOADED.set("os", t); - return t; - } - - public Varargs invoke(Varargs args) { - try { - switch ( opcode ) { - case INIT: - return init(); - case CLOCK: - return valueOf(clock()); - case DATE: { - String s = args.optjstring(1, null); - double t = args.optdouble(2,-1); - return valueOf( date(s, t==-1? System.currentTimeMillis()/1000.: t) ); - } - case DIFFTIME: - return valueOf(difftime(args.checkdouble(1),args.checkdouble(2))); - case EXECUTE: - return valueOf(execute(args.optjstring(1, null))); - case EXIT: - exit(args.optint(1, 0)); - return NONE; - case GETENV: { - final String val = getenv(args.checkjstring(1)); - return val!=null? valueOf(val): NIL; - } - case REMOVE: - remove(args.checkjstring(1)); - return LuaValue.TRUE; - case RENAME: - rename(args.checkjstring(1), args.checkjstring(2)); - return LuaValue.TRUE; - case SETLOCALE: { - String s = setlocale(args.optjstring(1,null), args.optjstring(2, "all")); - return s!=null? valueOf(s): NIL; - } - case TIME: - return valueOf(time(args.arg1().isnil()? null: args.checktable(1))); - case TMPNAME: - return valueOf(tmpname()); - } - return NONE; - } catch ( IOException e ) { - return varargsOf(NIL, valueOf(e.getMessage())); - } - } - - /** - * @return an approximation of the amount in seconds of CPU time used by - * the program. - */ - protected double clock() { - return (System.currentTimeMillis()-t0) / 1000.; - } - - /** - * Returns the number of seconds from time t1 to time t2. - * In POSIX, Windows, and some other systems, this value is exactly t2-t1. - * @param t2 - * @param t1 - * @return diffeence in time values, in seconds - */ - protected double difftime(double t2, double t1) { - return t2 - t1; - } - - /** - * If the time argument is present, this is the time to be formatted - * (see the os.time function for a description of this value). - * Otherwise, date formats the current time. - * - * If format starts with '!', then the date is formatted in Coordinated - * Universal Time. After this optional character, if format is the string - * "*t", then date returns a table with the following fields: year - * (four digits), month (1--12), day (1--31), hour (0--23), min (0--59), - * sec (0--61), wday (weekday, Sunday is 1), yday (day of the year), - * and isdst (daylight saving flag, a boolean). - * - * If format is not "*t", then date returns the date as a string, - * formatted according to the same rules as the C function strftime. - * - * When called without arguments, date returns a reasonable date and - * time representation that depends on the host system and on the - * current locale (that is, os.date() is equivalent to os.date("%c")). - * - * @param format - * @param time time since epoch, or -1 if not supplied - * @return a LString or a LTable containing date and time, - * formatted according to the given string format. - */ - protected String date(String format, double time) { - return new java.util.Date((long)(time*1000)).toString(); - } - - /** - * This function is equivalent to the C function system. - * It passes command to be executed by an operating system shell. - * It returns a status code, which is system-dependent. - * If command is absent, then it returns nonzero if a shell - * is available and zero otherwise. - * @param command command to pass to the system - */ - protected int execute(String command) { - return 0; - } - - /** - * Calls the C function exit, with an optional code, to terminate the host program. - * @param code - */ - protected void exit(int code) { - /* DAN200 START */ - //System.exit(code); - /* DAN200 END */ - } - - /** - * Returns the value of the process environment variable varname, - * or null if the variable is not defined. - * @param varname - * @return String value, or null if not defined - */ - protected String getenv(String varname) { - return System.getProperty(varname); - } - - /** - * Deletes the file or directory with the given name. - * Directories must be empty to be removed. - * If this function fails, it throws and IOException - * - * @param filename - * @throws IOException if it fails - */ - protected void remove(String filename) throws IOException { - throw new IOException( "not implemented" ); - } - - /** - * Renames file or directory named oldname to newname. - * If this function fails,it throws and IOException - * - * @param oldname old file name - * @param newname new file name - * @throws IOException if it fails - */ - protected void rename(String oldname, String newname) throws IOException { - throw new IOException( "not implemented" ); - } - - /** - * Sets the current locale of the program. locale is a string specifying - * a locale; category is an optional string describing which category to change: - * "all", "collate", "ctype", "monetary", "numeric", or "time"; the default category - * is "all". - * - * If locale is the empty string, the current locale is set to an implementation- - * defined native locale. If locale is the string "C", the current locale is set - * to the standard C locale. - * - * When called with null as the first argument, this function only returns the - * name of the current locale for the given category. - * - * @param locale - * @param category - * @return the name of the new locale, or null if the request - * cannot be honored. - */ - protected String setlocale(String locale, String category) { - return "C"; - } - - /** - * Returns the current time when called without arguments, - * or a time representing the date and time specified by the given table. - * This table must have fields year, month, and day, - * and may have fields hour, min, sec, and isdst - * (for a description of these fields, see the os.date function). - * @param table - * @return long value for the time - */ - protected long time(LuaTable table) { - return System.currentTimeMillis(); - } - - /** - * Returns a string with a file name that can be used for a temporary file. - * The file must be explicitly opened before its use and explicitly removed - * when no longer needed. - * - * On some systems (POSIX), this function also creates a file with that name, - * to avoid security risks. (Someone else might create the file with wrong - * permissions in the time between getting the name and creating the file.) - * You still have to open the file to use it and to remove it (even if you - * do not use it). - * - * @return String filename to use - */ - protected String tmpname() { - synchronized ( OsLib.class ) { - return TMP_PREFIX+(tmpnames++)+TMP_SUFFIX; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/PackageLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/PackageLib.java deleted file mode 100644 index 256c25195..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/PackageLib.java +++ /dev/null @@ -1,466 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.InputStream; -import java.io.PrintStream; - -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the lua standard package and module - * library functions. - * - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} or {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * System.out.println( _G.get("require").call(LuaValue.valueOf("hyperbolic")) );
- * } 
- * In practice, the first 4 lines of the above are minimal requirements to get - * and initialize a globals table capable of basic reqire, print, and other functions, - * so it is much more convenient to use the {@link JsePlatform} and {@link JmePlatform} - * utility classes instead. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * However, the default filesystem search semantics are different and delegated to the bas library - * as outlined in the {@link BaseLib} and {@link JseBaseLib} documetnation. - * @see LibFunction - * @see BaseLib - * @see JseBaseLib - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.3 - */ -public class PackageLib extends OneArgFunction { - - public static String DEFAULT_LUA_PATH = "?.lua"; - - public InputStream STDIN = null; - public PrintStream STDOUT = System.out; - public LuaTable LOADED; - public LuaTable PACKAGE; - - /** Most recent instance of PackageLib */ - public static PackageLib instance; - - /** Loader that loads from preload table if found there */ - public LuaValue preload_loader; - - /** Loader that loads as a lua script using the LUA_PATH */ - public LuaValue lua_loader; - - /** Loader that loads as a Java class. Class must have public constructor and be a LuaValue */ - public LuaValue java_loader; - - private static final LuaString _M = valueOf("_M"); - private static final LuaString _NAME = valueOf("_NAME"); - private static final LuaString _PACKAGE = valueOf("_PACKAGE"); - private static final LuaString _DOT = valueOf("."); - private static final LuaString _LOADERS = valueOf("loaders"); - private static final LuaString _LOADED = valueOf("loaded"); - private static final LuaString _LOADLIB = valueOf("loadlib"); - private static final LuaString _PRELOAD = valueOf("preload"); - private static final LuaString _PATH = valueOf("path"); - private static final LuaString _SEEALL = valueOf("seeall"); - private static final LuaString _SENTINEL = valueOf("\u0001"); - - private static final int OP_MODULE = 0; - private static final int OP_REQUIRE = 1; - private static final int OP_LOADLIB = 2; - private static final int OP_SEEALL = 3; - private static final int OP_PRELOAD_LOADER = 4; - private static final int OP_LUA_LOADER = 5; - private static final int OP_JAVA_LOADER = 6; - - public PackageLib() { - instance = this; - } - - public LuaValue call(LuaValue arg) { - env.set("require", new PkgLib1(env,"require",OP_REQUIRE,this)); - env.set("module", new PkgLibV(env,"module",OP_MODULE,this)); - env.set( "package", PACKAGE=tableOf( new LuaValue[] { - _LOADED, LOADED=tableOf(), - _PRELOAD, tableOf(), - _PATH, valueOf(DEFAULT_LUA_PATH), - _LOADLIB, new PkgLibV(env,"loadlib",OP_LOADLIB,this), - _SEEALL, new PkgLib1(env,"seeall",OP_SEEALL,this), - _LOADERS, listOf(new LuaValue[] { - preload_loader = new PkgLibV(env,"preload_loader", OP_PRELOAD_LOADER,this), - lua_loader = new PkgLibV(env,"lua_loader", OP_LUA_LOADER,this), - java_loader = new PkgLibV(env,"java_loader", OP_JAVA_LOADER,this), - }) }) ); - LOADED.set("package", PACKAGE); - return env; - } - - static final class PkgLib1 extends OneArgFunction { - PackageLib lib; - public PkgLib1(LuaValue env,String name, int opcode, PackageLib lib) { - this.env = env; - this.name = name; - this.opcode = opcode; - this.lib = lib; - } - public LuaValue call(LuaValue arg) { - switch ( opcode ) { - case OP_REQUIRE: - return lib.require(arg); - case OP_SEEALL: { - LuaTable t = arg.checktable(); - LuaValue m = t.getmetatable(); - if ( m == null ) - t.setmetatable(m=tableOf()); - m.set( INDEX, LuaThread.getGlobals() ); - return NONE; - } - } - return NIL; - } - } - - static final class PkgLibV extends VarArgFunction { - PackageLib lib; - public PkgLibV(LuaValue env,String name, int opcode, PackageLib lib) { - this.env = env; - this.name = name; - this.opcode = opcode; - this.lib = lib; - } - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case OP_MODULE: - return lib.module(args); - case OP_LOADLIB: - return loadlib(args); - case OP_PRELOAD_LOADER: { - return lib.loader_preload(args); - } - case OP_LUA_LOADER: { - return lib.loader_Lua(args); - } - case OP_JAVA_LOADER: { - return lib.loader_Java(args); - } - } - return NONE; - } - } - - /** Allow packages to mark themselves as loaded */ - public void setIsLoaded(String name, LuaTable value) { - LOADED.set(name, value); - } - - public void setLuaPath( String newLuaPath ) { - PACKAGE.set( _PATH, valueOf(newLuaPath) ); - } - - public String tojstring() { - return "package"; - } - - - // ======================== Module, Package loading ============================= - /** - * module (name [, ...]) - * - * Creates a module. If there is a table in package.loaded[name], this table - * is the module. Otherwise, if there is a global table t with the given - * name, this table is the module. Otherwise creates a new table t and sets - * it as the value of the global name and the value of package.loaded[name]. - * This function also initializes t._NAME with the given name, t._M with the - * module (t itself), and t._PACKAGE with the package name (the full module - * name minus last component; see below). Finally, module sets t as the new - * environment of the current function and the new value of - * package.loaded[name], so that require returns t. - * - * If name is a compound name (that is, one with components separated by - * dots), module creates (or reuses, if they already exist) tables for each - * component. For instance, if name is a.b.c, then module stores the module - * table in field c of field b of global a. - * - * This function may receive optional options after the module name, where - * each option is a function to be applied over the module. - */ - public Varargs module(Varargs args) { - LuaString modname = args.checkstring(1); - int n = args.narg(); - LuaValue value = LOADED.get(modname); - LuaValue module; - if ( ! value.istable() ) { /* not found? */ - - /* try global variable (and create one if it does not exist) */ - LuaValue globals = LuaThread.getGlobals(); - module = findtable( globals, modname ); - if ( module == null ) - error( "name conflict for module '"+modname+"'" ); - LOADED.set(modname, module); - } else { - module = (LuaTable) value; - } - - - /* check whether table already has a _NAME field */ - LuaValue name = module.get(_NAME); - if ( name.isnil() ) { - modinit( module, modname ); - } - - // set the environment of the current function - LuaFunction f = LuaThread.getCallstackFunction(1); - if ( f == null ) - error("no calling function"); - if ( ! f.isclosure() ) - error("'module' not called from a Lua function"); - f.setfenv(module); - - // apply the functions - for ( int i=2; i<=n; i++ ) - args.arg(i).call( module ); - - // returns no results - return NONE; - } - - /** - * - * @param table the table at which to start the search - * @param fname the name to look up or create, such as "abc.def.ghi" - * @return the table for that name, possible a new one, or null if a non-table has that name already. - */ - private static final LuaValue findtable(LuaValue table, LuaString fname) { - int b, e=(-1); - do { - e = fname.indexOf(_DOT, b=e+1 ); - if ( e < 0 ) - e = fname.m_length; - LuaString key = fname.substring(b, e); - LuaValue val = table.rawget(key); - if ( val.isnil() ) { /* no such field? */ - LuaTable field = new LuaTable(); /* new table for field */ - table.set(key, field); - table = field; - } else if ( ! val.istable() ) { /* field has a non-table value? */ - return null; - } else { - table = val; - } - } while ( e < fname.m_length ); - return table; - } - - private static final void modinit(LuaValue module, LuaString modname) { - /* module._M = module */ - module.set(_M, module); - int e = modname.lastIndexOf(_DOT); - module.set(_NAME, modname ); - module.set(_PACKAGE, (e<0? EMPTYSTRING: modname.substring(0,e+1)) ); - } - - /** - * require (modname) - * - * Loads the given module. The function starts by looking into the package.loaded table to - * determine whether modname is already loaded. If it is, then require returns the value - * stored at package.loaded[modname]. Otherwise, it tries to find a loader for the module. - * - * To find a loader, require is guided by the package.loaders array. By changing this array, - * we can change how require looks for a module. The following explanation is based on the - * default configuration for package.loaders. - * - * First require queries package.preload[modname]. If it has a value, this value - * (which should be a function) is the loader. Otherwise require searches for a Lua loader - * using the path stored in package.path. If that also fails, it searches for a C loader - * using the path stored in package.cpath. If that also fails, it tries an all-in-one loader - * (see package.loaders). - * - * Once a loader is found, require calls the loader with a single argument, modname. - * If the loader returns any value, require assigns the returned value to package.loaded[modname]. - * If the loader returns no value and has not assigned any value to package.loaded[modname], - * then require assigns true to this entry. In any case, require returns the final value of - * package.loaded[modname]. - * - * If there is any error loading or running the module, or if it cannot find any loader for - * the module, then require signals an error. - */ - public LuaValue require( LuaValue arg ) { - LuaString name = arg.checkstring(); - LuaValue loaded = LOADED.get(name); - if ( loaded.toboolean() ) { - if ( loaded == _SENTINEL ) - error("loop or previous error loading module '"+name+"'"); - return loaded; - } - - /* else must load it; iterate over available loaders */ - LuaTable tbl = PACKAGE.get(_LOADERS).checktable(); - StringBuffer sb = new StringBuffer(); - LuaValue chunk = null; - for ( int i=1; true; i++ ) { - LuaValue loader = tbl.get(i); - if ( loader.isnil() ) { - error( "module '"+name+"' not found: "+name+sb ); - } - - /* call loader with module name as argument */ - chunk = loader.call(name); - if ( chunk.isfunction() ) - break; - if ( chunk.isstring() ) - sb.append( chunk.tojstring() ); - } - - // load the module using the loader - LOADED.set(name, _SENTINEL); - LuaValue result = chunk.call(name); - if ( ! result.isnil() ) - LOADED.set( name, result ); - else if ( (result = LOADED.get(name)) == _SENTINEL ) - LOADED.set( name, result = LuaValue.TRUE ); - return result; - } - - public static Varargs loadlib( Varargs args ) { - args.checkstring(1); - return varargsOf(NIL, valueOf("dynamic libraries not enabled"), valueOf("absent")); - } - - LuaValue loader_preload( Varargs args ) { - LuaString name = args.checkstring(1); - LuaValue preload = PACKAGE.get(_PRELOAD).checktable(); - LuaValue val = preload.get(name); - return val.isnil()? - valueOf("\n\tno field package.preload['"+name+"']"): - val; - } - - LuaValue loader_Lua( Varargs args ) { - String name = args.checkjstring(1); - InputStream is = null; - - - // get package path - LuaValue pp = PACKAGE.get(_PATH); - if ( ! pp.isstring() ) - return valueOf("package.path is not a string"); - String path = pp.tojstring(); - - // check the path elements - int e = -1; - int n = path.length(); - StringBuffer sb = null; - name = name.replace('.','/'); - while ( e < n ) { - - // find next template - int b = e+1; - e = path.indexOf(';',b); - if ( e < 0 ) - e = path.length(); - String template = path.substring(b,e); - - // create filename - int q = template.indexOf('?'); - String filename = template; - if ( q >= 0 ) { - filename = template.substring(0,q) + name + template.substring(q+1); - } - - // try loading the file - Varargs v = BaseLib.loadFile(filename); - if ( v.arg1().isfunction() ) - return v.arg1(); - - // report error - if ( sb == null ) - sb = new StringBuffer(); - sb.append( "\n\t'"+filename+"': "+v.arg(2) ); - } - return valueOf(sb.toString()); - } - - LuaValue loader_Java( Varargs args ) { - String name = args.checkjstring(1); - String classname = toClassname( name ); - Class c = null; - LuaValue v = null; - try { - c = Class.forName(classname); - v = (LuaValue) c.newInstance(); - v.setfenv(env); - return v; - } catch ( ClassNotFoundException cnfe ) { - return valueOf("\n\tno class '"+classname+"'" ); - } catch ( Exception e ) { - return valueOf("\n\tjava load failed on '"+classname+"', "+e ); - } - } - - /** Convert lua filename to valid class name */ - public static final String toClassname( String filename ) { - int n=filename.length(); - int j=n; - if ( filename.endsWith(".lua") ) - j -= 4; - for ( int k=0; k='a'&&c<='z') || (c>='A'&&c<='Z') || (c>='0'&&c<='9') ) - return true; - switch ( c ) { - case '.': - case '$': - case '_': - return true; - default: - return false; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ResourceFinder.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/ResourceFinder.java deleted file mode 100644 index 218fa8e45..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ResourceFinder.java +++ /dev/null @@ -1,57 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.InputStream; - -/** - * Interface for opening application resource files such as scripts sources. - *

- * This is used by required to load files that are part of - * the application, and implemented by BaseLib - * for both the Jme and Jse platforms. - *

- * The Jme version of base lib {@link BaseLib} - * implements {@link BaseLib#FINDER} via {@link Class#getResourceAsStream(String)}, - * while the Jse version {@link JseBaseLib} implements it using {@link java.io.File#File(String)}. - *

- * The io library does not use this API for file manipulation. - *

- * @see BaseLib - * @see BaseLib#FINDER - * @see JseBaseLib - * @see JmePlatform - * @see JsePlatform - */ -public interface ResourceFinder { - - /** - * Try to open a file, or return null if not found. - * - * @see org.luaj.vm2.lib.BaseLib - * @see org.luaj.vm2.lib.jse.JseBaseLib - * - * @param filename - * @return InputStream, or null if not found. - */ - public InputStream findResource( String filename ); -} \ No newline at end of file diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/StringLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/StringLib.java deleted file mode 100644 index d7bc7cd90..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/StringLib.java +++ /dev/null @@ -1,1190 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import java.io.ByteArrayOutputStream; -import java.io.IOException; - -import org.luaj.vm2.LuaClosure; -import org.luaj.vm2.Buffer; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; -import org.luaj.vm2.compiler.DumpState; - -/** - * Subclass of {@link LibFunction} which implements the lua standard {@code string} - * library. - * - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} or {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new StringLib());
- * System.out.println( _G.get("string").get("upper").call( LuaValue.valueOf("abcde") ) );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This is a direct port of the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.4 - */ -public class StringLib extends OneArgFunction { - - public static LuaTable instance; - - public StringLib() { - } - - public LuaValue call(LuaValue arg) { - LuaTable t = new LuaTable(); - bind(t, StringLib1.class, new String[] { - "dump", "len", "lower", "reverse", "upper", } ); - bind(t, StringLibV.class, new String[] { - "byte", "char", "find", "format", - "gmatch", "gsub", "match", "rep", - "sub"} ); - env.set("string", t); - instance = t; - if ( LuaString.s_metatable == null ) - LuaString.s_metatable = tableOf( new LuaValue[] { INDEX, t } ); - PackageLib.instance.LOADED.set("string", t); - return t; - } - - static final class StringLib1 extends OneArgFunction { - public LuaValue call(LuaValue arg) { - switch ( opcode ) { - case 0: return dump(arg); // dump (function) - case 1: return StringLib.len(arg); // len (function) - case 2: return lower(arg); // lower (function) - case 3: return reverse(arg); // reverse (function) - case 4: return upper(arg); // upper (function) - } - return NIL; - } - } - - static final class StringLibV extends VarArgFunction { - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case 0: return StringLib.byte_( args ); - case 1: return StringLib.char_( args ); - case 2: return StringLib.find( args ); - case 3: return StringLib.format( args ); - case 4: return StringLib.gmatch( args ); - case 5: return StringLib.gsub( args ); - case 6: return StringLib.match( args ); - case 7: return StringLib.rep( args ); - case 8: return StringLib.sub( args ); - } - return NONE; - } - } - - /** - * string.byte (s [, i [, j]]) - * - * Returns the internal numerical codes of the - * characters s[i], s[i+1], ..., s[j]. The default value for i is 1; the - * default value for j is i. - * - * Note that numerical codes are not necessarily portable across platforms. - * - * @param args the calling args - */ - static Varargs byte_( Varargs args ) { - LuaString s = args.checkstring(1); - int l = s.m_length; - int posi = posrelat( args.optint(2,1), l ); - int pose = posrelat( args.optint(3,posi), l ); - int n,i; - if (posi <= 0) posi = 1; - if (pose > l) pose = l; - if (posi > pose) return NONE; /* empty interval; return no values */ - n = (int)(pose - posi + 1); - if (posi + n <= pose) /* overflow? */ - error("string slice too long"); - LuaValue[] v = new LuaValue[n]; - for (i=0; i=256) argerror(a, "invalid value"); - bytes[i] = (byte) c; - } - return LuaString.valueOf( bytes ); - } - - /** - * string.dump (function) - * - * Returns a string containing a binary representation of the given function, - * so that a later loadstring on this string returns a copy of the function. - * function must be a Lua function without upvalues. - * - * TODO: port dumping code as optional add-on - */ - static LuaValue dump( LuaValue arg ) { - LuaValue f = arg.checkfunction(); - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - try { - DumpState.dump( ((LuaClosure)f).p, baos, true ); - return LuaString.valueOf(baos.toByteArray()); - } catch (IOException e) { - return error( e.getMessage() ); - } - } - - /** - * string.find (s, pattern [, init [, plain]]) - * - * Looks for the first match of pattern in the string s. - * If it finds a match, then find returns the indices of s - * where this occurrence starts and ends; otherwise, it returns nil. - * A third, optional numerical argument init specifies where to start the search; - * its default value is 1 and may be negative. A value of true as a fourth, - * optional argument plain turns off the pattern matching facilities, - * so the function does a plain "find substring" operation, - * with no characters in pattern being considered "magic". - * Note that if plain is given, then init must be given as well. - * - * If the pattern has captures, then in a successful match the captured values - * are also returned, after the two indices. - */ - static Varargs find( Varargs args ) { - return str_find_aux( args, true ); - } - - /** - * string.format (formatstring, ...) - * - * Returns a formatted version of its variable number of arguments following - * the description given in its first argument (which must be a string). - * The format string follows the same rules as the printf family of standard C functions. - * The only differences are that the options/modifiers *, l, L, n, p, and h are not supported - * and that there is an extra option, q. The q option formats a string in a form suitable - * to be safely read back by the Lua interpreter: the string is written between double quotes, - * and all double quotes, newlines, embedded zeros, and backslashes in the string are correctly - * escaped when written. For instance, the call - * string.format('%q', 'a string with "quotes" and \n new line') - * - * will produce the string: - * "a string with \"quotes\" and \ - * new line" - * - * The options c, d, E, e, f, g, G, i, o, u, X, and x all expect a number as argument, - * whereas q and s expect a string. - * - * This function does not accept string values containing embedded zeros, - * except as arguments to the q option. - */ - static Varargs format( Varargs args ) { - LuaString fmt = args.checkstring( 1 ); - final int n = fmt.length(); - Buffer result = new Buffer(n); - int arg = 1; - int c; - - for ( int i = 0; i < n; ) { - switch ( c = fmt.luaByte( i++ ) ) { - case '\n': - result.append( "\n" ); - break; - default: - result.append( (byte) c ); - break; - case L_ESC: - if ( i < n ) { - if ( ( c = fmt.luaByte( i ) ) == L_ESC ) { - ++i; - result.append( (byte)L_ESC ); - } else { - arg++; - FormatDesc fdsc = new FormatDesc(args, fmt, i ); - i += fdsc.length; - switch ( fdsc.conversion ) { - case 'c': - fdsc.format( result, (byte)args.checkint( arg ) ); - break; - case 'i': - case 'd': - fdsc.format( result, args.checkint( arg ) ); - break; - case 'o': - case 'u': - case 'x': - case 'X': - fdsc.format( result, args.checklong( arg ) ); - break; - case 'e': - case 'E': - case 'f': - case 'g': - case 'G': - fdsc.format( result, args.checkdouble( arg ) ); - break; - case 'q': - addquoted( result, args.checkstring( arg ) ); - break; - case 's': { - LuaString s = args.checkstring( arg ); - if ( fdsc.precision == -1 && s.length() >= 100 ) { - result.append( s ); - } else { - fdsc.format( result, s ); - } - } break; - default: - error("invalid option '%"+(char)fdsc.conversion+"' to 'format'"); - break; - } - } - } - } - } - - return result.tostring(); - } - - private static void addquoted(Buffer buf, LuaString s) { - int c; - buf.append( (byte) '"' ); - for ( int i = 0, n = s.length(); i < n; i++ ) { - switch ( c = s.luaByte( i ) ) { - case '"': case '\\': case '\n': - buf.append( (byte)'\\' ); - buf.append( (byte)c ); - break; - case '\r': - buf.append( "\\r" ); - break; - case '\0': - buf.append( "\\000" ); - break; - default: - /* DAN200 START */ - //buf.append( (byte) c ); - if( (c >= 32 && c <= 126) || (c >= 160 && c <= 255) ) { - buf.append( (byte)c ); - } else { - String str = Integer.toString(c); - while( str.length() < 3 ) { - str = "0" + str; - } - buf.append( "\\" + str ); - } - /* DAN200 END */ - break; - } - } - buf.append( (byte) '"' ); - } - - private static final String FLAGS = "-+ #0"; - - static class FormatDesc { - - private boolean leftAdjust; - private boolean zeroPad; - private boolean explicitPlus; - private boolean space; - private boolean alternateForm; - private static final int MAX_FLAGS = 5; - - private int width; - private int precision; - - public final int conversion; - public final int length; - - public FormatDesc(Varargs args, LuaString strfrmt, final int start) { - int p = start, n = strfrmt.length(); - int c = 0; - - boolean moreFlags = true; - while ( moreFlags ) { - switch ( c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ) ) { - case '-': leftAdjust = true; break; - case '+': explicitPlus = true; break; - case ' ': space = true; break; - case '#': alternateForm = true; break; - case '0': zeroPad = true; break; - default: moreFlags = false; break; - } - } - if ( p - start > MAX_FLAGS ) - error("invalid format (repeated flags)"); - - width = -1; - if ( Character.isDigit( (char)c ) ) { - width = c - '0'; - c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ); - if ( Character.isDigit( (char) c ) ) { - width = width * 10 + (c - '0'); - c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ); - } - } - - precision = -1; - if ( c == '.' ) { - c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ); - if ( Character.isDigit( (char) c ) ) { - precision = c - '0'; - c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ); - if ( Character.isDigit( (char) c ) ) { - precision = precision * 10 + (c - '0'); - c = ( (p < n) ? strfrmt.luaByte( p++ ) : 0 ); - } - } - } - - if ( Character.isDigit( (char) c ) ) - error("invalid format (width or precision too long)"); - - zeroPad &= !leftAdjust; // '-' overrides '0' - conversion = c; - length = p - start; - } - - public void format(Buffer buf, byte c) { - // TODO: not clear that any of width, precision, or flags apply here. - buf.append(c); - } - - public void format(Buffer buf, long number) { - String digits; - - if ( number == 0 && precision == 0 ) { - digits = ""; - } else { - int radix; - switch ( conversion ) { - case 'x': - case 'X': - radix = 16; - break; - case 'o': - radix = 8; - break; - default: - radix = 10; - break; - } - digits = Long.toString( number, radix ); - if ( conversion == 'X' ) - digits = digits.toUpperCase(); - } - - int minwidth = digits.length(); - int ndigits = minwidth; - int nzeros; - - if ( number < 0 ) { - ndigits--; - } else if ( explicitPlus || space ) { - minwidth++; - } - - if ( precision > ndigits ) - nzeros = precision - ndigits; - else if ( precision == -1 && zeroPad && width > minwidth ) - nzeros = width - minwidth; - else - nzeros = 0; - - minwidth += nzeros; - int nspaces = width > minwidth ? width - minwidth : 0; - - if ( !leftAdjust ) - pad( buf, ' ', nspaces ); - - if ( number < 0 ) { - if ( nzeros > 0 ) { - buf.append( (byte)'-' ); - digits = digits.substring( 1 ); - } - } else if ( explicitPlus ) { - buf.append( (byte)'+' ); - } else if ( space ) { - buf.append( (byte)' ' ); - } - - if ( nzeros > 0 ) - pad( buf, '0', nzeros ); - - buf.append( digits ); - - if ( leftAdjust ) - pad( buf, ' ', nspaces ); - } - - public void format(Buffer buf, double x) { - // TODO - buf.append( String.valueOf( x ) ); - } - - public void format(Buffer buf, LuaString s) { - int nullindex = s.indexOf( (byte)'\0', 0 ); - if ( nullindex != -1 ) - s = s.substring( 0, nullindex ); - buf.append(s); - } - - public static final void pad(Buffer buf, char c, int n) { - byte b = (byte)c; - while ( n-- > 0 ) - buf.append(b); - } - } - - /** - * string.gmatch (s, pattern) - * - * Returns an iterator function that, each time it is called, returns the next captures - * from pattern over string s. If pattern specifies no captures, then the - * whole match is produced in each call. - * - * As an example, the following loop - * s = "hello world from Lua" - * for w in string.gmatch(s, "%a+") do - * print(w) - * end - * - * will iterate over all the words from string s, printing one per line. - * The next example collects all pairs key=value from the given string into a table: - * t = {} - * s = "from=world, to=Lua" - * for k, v in string.gmatch(s, "(%w+)=(%w+)") do - * t[k] = v - * end - * - * For this function, a '^' at the start of a pattern does not work as an anchor, - * as this would prevent the iteration. - */ - static Varargs gmatch( Varargs args ) { - LuaString src = args.checkstring( 1 ); - LuaString pat = args.checkstring( 2 ); - return new GMatchAux(args, src, pat); - } - - static class GMatchAux extends VarArgFunction { - private final int srclen; - private final MatchState ms; - private int soffset; - public GMatchAux(Varargs args, LuaString src, LuaString pat) { - this.srclen = src.length(); - this.ms = new MatchState(args, src, pat); - this.soffset = 0; - } - public Varargs invoke(Varargs args) { - for ( ; soffset=0 ) { - int soff = soffset; - soffset = res; - /* DAN200 START */ - if (res == soff) soffset++; - /* DAN200 END */ - return ms.push_captures( true, soff, res ); - } - } - return NIL; - } - } - - - /** - * string.gsub (s, pattern, repl [, n]) - * Returns a copy of s in which all (or the first n, if given) occurrences of the - * pattern have been replaced by a replacement string specified by repl, which - * may be a string, a table, or a function. gsub also returns, as its second value, - * the total number of matches that occurred. - * - * If repl is a string, then its value is used for replacement. - * The character % works as an escape character: any sequence in repl of the form %n, - * with n between 1 and 9, stands for the value of the n-th captured substring (see below). - * The sequence %0 stands for the whole match. The sequence %% stands for a single %. - * - * If repl is a table, then the table is queried for every match, using the first capture - * as the key; if the pattern specifies no captures, then the whole match is used as the key. - * - * If repl is a function, then this function is called every time a match occurs, - * with all captured substrings passed as arguments, in order; if the pattern specifies - * no captures, then the whole match is passed as a sole argument. - * - * If the value returned by the table query or by the function call is a string or a number, - * then it is used as the replacement string; otherwise, if it is false or nil, - * then there is no replacement (that is, the original match is kept in the string). - * - * Here are some examples: - * x = string.gsub("hello world", "(%w+)", "%1 %1") - * --> x="hello hello world world" - * - * x = string.gsub("hello world", "%w+", "%0 %0", 1) - * --> x="hello hello world" - * - * x = string.gsub("hello world from Lua", "(%w+)%s*(%w+)", "%2 %1") - * --> x="world hello Lua from" - * - * x = string.gsub("home = $HOME, user = $USER", "%$(%w+)", os.getenv) - * --> x="home = /home/roberto, user = roberto" - * - * x = string.gsub("4+5 = $return 4+5$", "%$(.-)%$", function (s) - * return loadstring(s)() - * end) - * --> x="4+5 = 9" - * - * local t = {name="lua", version="5.1"} - * x = string.gsub("$name-$version.tar.gz", "%$(%w+)", t) - * --> x="lua-5.1.tar.gz" - */ - static Varargs gsub( Varargs args ) { - LuaString src = args.checkstring( 1 ); - final int srclen = src.length(); - LuaString p = args.checkstring( 2 ); - LuaValue repl = args.arg( 3 ); - int max_s = args.optint( 4, srclen + 1 ); - final boolean anchor = p.length() > 0 && p.charAt( 0 ) == '^'; - - Buffer lbuf = new Buffer( srclen ); - MatchState ms = new MatchState( args, src, p ); - - int soffset = 0; - int n = 0; - while ( n < max_s ) { - ms.reset(); - int res = ms.match( soffset, anchor ? 1 : 0 ); - if ( res != -1 ) { - n++; - ms.add_value( lbuf, soffset, res, repl ); - } - if ( res != -1 && res > soffset ) - soffset = res; - else if ( soffset < srclen ) - lbuf.append( (byte) src.luaByte( soffset++ ) ); - else - break; - if ( anchor ) - break; - } - lbuf.append( src.substring( soffset, srclen ) ); - return varargsOf(lbuf.tostring(), valueOf(n)); - } - - /** - * string.len (s) - * - * Receives a string and returns its length. The empty string "" has length 0. - * Embedded zeros are counted, so "a\000bc\000" has length 5. - */ - static LuaValue len( LuaValue arg ) { - return arg.checkstring().len(); - } - - /** - * string.lower (s) - * - * Receives a string and returns a copy of this string with all uppercase letters - * changed to lowercase. All other characters are left unchanged. - * The definition of what an uppercase letter is depends on the current locale. - */ - static LuaValue lower( LuaValue arg ) { - return valueOf( arg.checkjstring().toLowerCase() ); - } - - /** - * string.match (s, pattern [, init]) - * - * Looks for the first match of pattern in the string s. If it finds one, - * then match returns the captures from the pattern; otherwise it returns - * nil. If pattern specifies no captures, then the whole match is returned. - * A third, optional numerical argument init specifies where to start the - * search; its default value is 1 and may be negative. - */ - static Varargs match( Varargs args ) { - return str_find_aux( args, false ); - } - - /** - * string.rep (s, n) - * - * Returns a string that is the concatenation of n copies of the string s. - */ - static Varargs rep( Varargs args ) { - LuaString s = args.checkstring( 1 ); - int n = args.checkint( 2 ); - final byte[] bytes = new byte[ s.length() * n ]; - int len = s.length(); - for ( int offset = 0; offset < bytes.length; offset += len ) { - s.copyInto( 0, bytes, offset, len ); - } - return LuaString.valueOf( bytes ); - } - - /** - * string.reverse (s) - * - * Returns a string that is the string s reversed. - */ - static LuaValue reverse( LuaValue arg ) { - LuaString s = arg.checkstring(); - int n = s.length(); - byte[] b = new byte[n]; - for ( int i=0, j=n-1; i l ) - end = l; - - if ( start <= end ) { - return s.substring( start-1 , end ); - } else { - return EMPTYSTRING; - } - } - - /** - * string.upper (s) - * - * Receives a string and returns a copy of this string with all lowercase letters - * changed to uppercase. All other characters are left unchanged. - * The definition of what a lowercase letter is depends on the current locale. - */ - static LuaValue upper( LuaValue arg ) { - return valueOf(arg.checkjstring().toUpperCase()); - } - - /** - * This utility method implements both string.find and string.match. - */ - static Varargs str_find_aux( Varargs args, boolean find ) { - LuaString s = args.checkstring( 1 ); - LuaString pat = args.checkstring( 2 ); - int init = args.optint( 3, 1 ); - - if ( init > 0 ) { - init = Math.min( init - 1, s.length() ); - } else if ( init < 0 ) { - init = Math.max( 0, s.length() + init ); - } - - boolean fastMatch = find && ( args.arg(4).toboolean() || pat.indexOfAny( SPECIALS ) == -1 ); - - if ( fastMatch ) { - int result = s.indexOf( pat, init ); - if ( result != -1 ) { - return varargsOf( valueOf(result+1), valueOf(result+pat.length()) ); - } - } else { - MatchState ms = new MatchState( args, s, pat ); - - boolean anchor = false; - int poff = 0; - if ( pat.luaByte( 0 ) == '^' ) { - anchor = true; - poff = 1; - } - - int soff = init; - do { - int res; - ms.reset(); - if ( ( res = ms.match( soff, poff ) ) != -1 ) { - if ( find ) { - return varargsOf( valueOf(soff+1), valueOf(res), ms.push_captures( false, soff, res )); - } else { - return ms.push_captures( true, soff, res ); - } - } - } while ( soff++ < s.length() && !anchor ); - } - return NIL; - } - - private static int posrelat( int pos, int len ) { - return ( pos >= 0 ) ? pos : len + pos + 1; - } - - // Pattern matching implementation - - private static final int L_ESC = '%'; - private static final LuaString SPECIALS = valueOf("^$*+?.([%-"); - private static final int MAX_CAPTURES = 32; - - private static final int CAP_UNFINISHED = -1; - private static final int CAP_POSITION = -2; - - private static final byte MASK_ALPHA = 0x01; - private static final byte MASK_LOWERCASE = 0x02; - private static final byte MASK_UPPERCASE = 0x04; - private static final byte MASK_DIGIT = 0x08; - private static final byte MASK_PUNCT = 0x10; - private static final byte MASK_SPACE = 0x20; - private static final byte MASK_CONTROL = 0x40; - private static final byte MASK_HEXDIGIT = (byte)0x80; - - private static final byte[] CHAR_TABLE; - - static { - CHAR_TABLE = new byte[256]; - - for ( int i = 0; i < 256; ++i ) { - final char c = (char) i; - CHAR_TABLE[i] = (byte)( ( Character.isDigit( c ) ? MASK_DIGIT : 0 ) | - ( Character.isLowerCase( c ) ? MASK_LOWERCASE : 0 ) | - ( Character.isUpperCase( c ) ? MASK_UPPERCASE : 0 ) | - ( ( c < ' ' || c == 0x7F ) ? MASK_CONTROL : 0 ) ); - if ( ( c >= 'a' && c <= 'f' ) || ( c >= 'A' && c <= 'F' ) || ( c >= '0' && c <= '9' ) ) { - CHAR_TABLE[i] |= MASK_HEXDIGIT; - } - if ( ( c >= '!' && c <= '/' ) || ( c >= ':' && c <= '@' ) ) { - CHAR_TABLE[i] |= MASK_PUNCT; - } - if ( ( CHAR_TABLE[i] & ( MASK_LOWERCASE | MASK_UPPERCASE ) ) != 0 ) { - CHAR_TABLE[i] |= MASK_ALPHA; - } - } - - CHAR_TABLE[' '] = MASK_SPACE; - CHAR_TABLE['\r'] |= MASK_SPACE; - CHAR_TABLE['\n'] |= MASK_SPACE; - CHAR_TABLE['\t'] |= MASK_SPACE; - /* DAN200 START */ - //CHAR_TABLE[0x0C /* '\v' */ ] |= MASK_SPACE; - CHAR_TABLE[0x0B /* '\v' */ ] |= MASK_SPACE; - /* DAN200 END */ - CHAR_TABLE['\f'] |= MASK_SPACE; - }; - - static class MatchState { - final LuaString s; - final LuaString p; - final Varargs args; - int level; - int[] cinit; - int[] clen; - - MatchState( Varargs args, LuaString s, LuaString pattern ) { - this.s = s; - this.p = pattern; - this.args = args; - this.level = 0; - this.cinit = new int[ MAX_CAPTURES ]; - this.clen = new int[ MAX_CAPTURES ]; - } - - void reset() { - level = 0; - } - - private void add_s( Buffer lbuf, LuaString news, int soff, int e ) { - int l = news.length(); - for ( int i = 0; i < l; ++i ) { - byte b = (byte) news.luaByte( i ); - if ( b != L_ESC ) { - lbuf.append( (byte) b ); - } else { - ++i; // skip ESC - b = (byte) news.luaByte( i ); - if ( !Character.isDigit( (char) b ) ) { - lbuf.append( b ); - } else if ( b == '0' ) { - lbuf.append( s.substring( soff, e ) ); - } else { - lbuf.append( push_onecapture( b - '1', soff, e ).strvalue() ); - } - } - } - } - - public void add_value( Buffer lbuf, int soffset, int end, LuaValue repl ) { - switch ( repl.type() ) { - case LuaValue.TSTRING: - case LuaValue.TNUMBER: - add_s( lbuf, repl.strvalue(), soffset, end ); - return; - - case LuaValue.TFUNCTION: - repl = repl.invoke( push_captures( true, soffset, end ) ).arg1(); - break; - - case LuaValue.TTABLE: - // Need to call push_onecapture here for the error checking - repl = repl.get( push_onecapture( 0, soffset, end ) ); - break; - - default: - error( "bad argument: string/function/table expected" ); - return; - } - - if ( !repl.toboolean() ) { - repl = s.substring( soffset, end ); - } else if ( ! repl.isstring() ) { - error( "invalid replacement value (a "+repl.typename()+")" ); - } - lbuf.append( repl.strvalue() ); - } - - Varargs push_captures( boolean wholeMatch, int soff, int end ) { - int nlevels = ( this.level == 0 && wholeMatch ) ? 1 : this.level; - switch ( nlevels ) { - case 0: return NONE; - case 1: return push_onecapture( 0, soff, end ); - } - LuaValue[] v = new LuaValue[nlevels]; - for ( int i = 0; i < nlevels; ++i ) - v[i] = push_onecapture( i, soff, end ); - return varargsOf(v); - } - - private LuaValue push_onecapture( int i, int soff, int end ) { - if ( i >= this.level ) { - if ( i == 0 ) { - return s.substring( soff, end ); - } else { - return error( "invalid capture index" ); - } - } else { - int l = clen[i]; - if ( l == CAP_UNFINISHED ) { - return error( "unfinished capture" ); - } - if ( l == CAP_POSITION ) { - return valueOf( cinit[i] + 1 ); - } else { - int begin = cinit[i]; - return s.substring( begin, begin + l ); - } - } - } - - private int check_capture( int l ) { - l -= '1'; - if ( l < 0 || l >= level || this.clen[l] == CAP_UNFINISHED ) { - error("invalid capture index"); - } - return l; - } - - private int capture_to_close() { - int level = this.level; - for ( level--; level >= 0; level-- ) - if ( clen[level] == CAP_UNFINISHED ) - return level; - error("invalid pattern capture"); - return 0; - } - - int classend( int poffset ) { - switch ( p.luaByte( poffset++ ) ) { - case L_ESC: - if ( poffset == p.length() ) { - error( "malformed pattern (ends with %)" ); - } - return poffset + 1; - - case '[': - if ( p.luaByte( poffset ) == '^' ) poffset++; - do { - if ( poffset == p.length() ) { - error( "malformed pattern (missing ])" ); - } - if ( p.luaByte( poffset++ ) == L_ESC && poffset != p.length() ) - poffset++; - } while ( p.luaByte( poffset ) != ']' ); - return poffset + 1; - default: - return poffset; - } - } - - static boolean match_class( int c, int cl ) { - final char lcl = Character.toLowerCase( (char) cl ); - int cdata = CHAR_TABLE[c]; - - boolean res; - switch ( lcl ) { - case 'a': res = ( cdata & MASK_ALPHA ) != 0; break; - case 'd': res = ( cdata & MASK_DIGIT ) != 0; break; - case 'l': res = ( cdata & MASK_LOWERCASE ) != 0; break; - case 'u': res = ( cdata & MASK_UPPERCASE ) != 0; break; - case 'c': res = ( cdata & MASK_CONTROL ) != 0; break; - case 'p': res = ( cdata & MASK_PUNCT ) != 0; break; - case 's': res = ( cdata & MASK_SPACE ) != 0; break; - case 'w': res = ( cdata & ( MASK_ALPHA | MASK_DIGIT ) ) != 0; break; - case 'x': res = ( cdata & MASK_HEXDIGIT ) != 0; break; - case 'z': res = ( c == 0 ); break; - default: return cl == c; - } - return ( lcl == cl ) ? res : !res; - } - - boolean matchbracketclass( int c, int poff, int ec ) { - boolean sig = true; - if ( p.luaByte( poff + 1 ) == '^' ) { - sig = false; - poff++; - } - while ( ++poff < ec ) { - if ( p.luaByte( poff ) == L_ESC ) { - poff++; - if ( match_class( c, p.luaByte( poff ) ) ) - return sig; - } - else if ( ( p.luaByte( poff + 1 ) == '-' ) && ( poff + 2 < ec ) ) { - poff += 2; - if ( p.luaByte( poff - 2 ) <= c && c <= p.luaByte( poff ) ) - return sig; - } - else if ( p.luaByte( poff ) == c ) return sig; - } - return !sig; - } - - boolean singlematch( int c, int poff, int ep ) { - switch ( p.luaByte( poff ) ) { - case '.': return true; - case L_ESC: return match_class( c, p.luaByte( poff + 1 ) ); - case '[': return matchbracketclass( c, poff, ep - 1 ); - default: return p.luaByte( poff ) == c; - } - } - - /** - * Perform pattern matching. If there is a match, returns offset into s - * where match ends, otherwise returns -1. - */ - int match( int soffset, int poffset ) { - while ( true ) { - // Check if we are at the end of the pattern - - // equivalent to the '\0' case in the C version, but our pattern - // string is not NUL-terminated. - if ( poffset == p.length() ) - return soffset; - switch ( p.luaByte( poffset ) ) { - case '(': - if ( ++poffset < p.length() && p.luaByte( poffset ) == ')' ) - return start_capture( soffset, poffset + 1, CAP_POSITION ); - else - return start_capture( soffset, poffset, CAP_UNFINISHED ); - case ')': - return end_capture( soffset, poffset + 1 ); - case L_ESC: - if ( poffset + 1 == p.length() ) - error("malformed pattern (ends with '%')"); - switch ( p.luaByte( poffset + 1 ) ) { - case 'b': - soffset = matchbalance( soffset, poffset + 2 ); - if ( soffset == -1 ) return -1; - poffset += 4; - continue; - case 'f': { - poffset += 2; - if ( p.luaByte( poffset ) != '[' ) { - error("Missing [ after %f in pattern"); - } - int ep = classend( poffset ); - int previous = ( soffset == 0 ) ? -1 : s.luaByte( soffset - 1 ); - if ( matchbracketclass( previous, poffset, ep - 1 ) || - matchbracketclass( s.luaByte( soffset ), poffset, ep - 1 ) ) - return -1; - poffset = ep; - continue; - } - default: { - int c = p.luaByte( poffset + 1 ); - if ( Character.isDigit( (char) c ) ) { - soffset = match_capture( soffset, c ); - if ( soffset == -1 ) - return -1; - return match( soffset, poffset + 2 ); - } - } - } - case '$': - if ( poffset + 1 == p.length() ) - return ( soffset == s.length() ) ? soffset : -1; - } - int ep = classend( poffset ); - boolean m = soffset < s.length() && singlematch( s.luaByte( soffset ), poffset, ep ); - int pc = ( ep < p.length() ) ? p.luaByte( ep ) : '\0'; - - switch ( pc ) { - case '?': - int res; - if ( m && ( ( res = match( soffset + 1, ep + 1 ) ) != -1 ) ) - return res; - poffset = ep + 1; - continue; - case '*': - return max_expand( soffset, poffset, ep ); - case '+': - return ( m ? max_expand( soffset + 1, poffset, ep ) : -1 ); - case '-': - return min_expand( soffset, poffset, ep ); - default: - if ( !m ) - return -1; - soffset++; - poffset = ep; - continue; - } - } - } - - int max_expand( int soff, int poff, int ep ) { - int i = 0; - while ( soff + i < s.length() && - singlematch( s.luaByte( soff + i ), poff, ep ) ) - i++; - while ( i >= 0 ) { - int res = match( soff + i, ep + 1 ); - if ( res != -1 ) - return res; - i--; - } - return -1; - } - - int min_expand( int soff, int poff, int ep ) { - for ( ;; ) { - int res = match( soff, ep + 1 ); - if ( res != -1 ) - return res; - else if ( soff < s.length() && singlematch( s.luaByte( soff ), poff, ep ) ) - soff++; - else return -1; - } - } - - int start_capture( int soff, int poff, int what ) { - int res; - int level = this.level; - if ( level >= MAX_CAPTURES ) { - error( "too many captures" ); - } - cinit[ level ] = soff; - clen[ level ] = what; - this.level = level + 1; - if ( ( res = match( soff, poff ) ) == -1 ) - this.level--; - return res; - } - - int end_capture( int soff, int poff ) { - int l = capture_to_close(); - int res; - clen[l] = soff - cinit[l]; - if ( ( res = match( soff, poff ) ) == -1 ) - clen[l] = CAP_UNFINISHED; - return res; - } - - int match_capture( int soff, int l ) { - l = check_capture( l ); - int len = clen[ l ]; - if ( ( s.length() - soff ) >= len && - LuaString.equals( s, cinit[l], s, soff, len ) ) - return soff + len; - else - return -1; - } - - int matchbalance( int soff, int poff ) { - final int plen = p.length(); - if ( poff == plen || poff + 1 == plen ) { - error( "unbalanced pattern" ); - } - /* DAN200 START */ - if ( soff >= s.length() ) - return -1; - /* DAN200 END */ - if ( s.luaByte( soff ) != p.luaByte( poff ) ) - return -1; - else { - int b = p.luaByte( poff ); - int e = p.luaByte( poff + 1 ); - int cont = 1; - while ( ++soff < s.length() ) { - if ( s.luaByte( soff ) == e ) { - if ( --cont == 0 ) return soff + 1; - } - else if ( s.luaByte( soff ) == b ) cont++; - } - } - return -1; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/TableLib.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/TableLib.java deleted file mode 100644 index c26b9d408..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/TableLib.java +++ /dev/null @@ -1,124 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Subclass of {@link LibFunction} which implements the lua standard {@code table} - * library. - * - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} or {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new TableLib());
- * LuaValue tbl = LuaValue.listOf( new LuaValue[] {
- * 		LuaValue.valueOf( "abc" ),
- * 		LuaValue.valueOf( "def" ) } );
- * LuaValue sep = LuaValue.valueOf( "-" );
- * System.out.println( _G.get("table").get("concat").call( tbl, sep ) );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.5 - */ -public class TableLib extends OneArgFunction { - - public TableLib() { - } - - private LuaTable init() { - LuaTable t = new LuaTable(); - bind(t, TableLib.class, new String[] { "getn", "maxn", }, 1 ); - bind(t, TableLibV.class, new String[] { - "remove", "concat", "insert", "sort", "foreach", "foreachi", } ); - env.set("table", t); - PackageLib.instance.LOADED.set("table", t); - return t; - } - - public LuaValue call(LuaValue arg) { - switch ( opcode ) { - case 0: // init library - return init(); - case 1: // "getn" (table) -> number - return arg.checktable().getn(); - case 2: // "maxn" (table) -> number - return valueOf( arg.checktable().maxn()); - } - return NIL; - } - - static final class TableLibV extends VarArgFunction { - public Varargs invoke(Varargs args) { - switch ( opcode ) { - case 0: { // "remove" (table [, pos]) -> removed-ele - LuaTable table = args.checktable(1); - int pos = args.narg()>1? args.checkint(2): 0; - return table.remove(pos); - } - case 1: { // "concat" (table [, sep [, i [, j]]]) -> string - LuaTable table = args.checktable(1); - return table.concat( - args.optstring(2,LuaValue.EMPTYSTRING), - args.optint(3,1), - args.isvalue(4)? args.checkint(4): table.length() ); - } - case 2: { // "insert" (table, [pos,] value) -> prev-ele - final LuaTable table = args.checktable(1); - final int pos = args.narg()>2? args.checkint(2): 0; - final LuaValue value = args.arg( args.narg()>2? 3: 2 ); - table.insert( pos, value ); - return NONE; - } - case 3: { // "sort" (table [, comp]) -> void - LuaTable table = args.checktable(1); - LuaValue compare = (args.isnoneornil(2)? NIL: args.checkfunction(2)); - table.sort( compare ); - return NONE; - } - case 4: { // (table, func) -> void - return args.checktable(1).foreach( args.checkfunction(2) ); - } - case 5: { // "foreachi" (table, func) -> void - return args.checktable(1).foreachi( args.checkfunction(2) ); - } - } - return NONE; - } - } -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ThreeArgFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/ThreeArgFunction.java deleted file mode 100644 index d958d7261..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ThreeArgFunction.java +++ /dev/null @@ -1,80 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** Abstract base class for Java function implementations that take two arguments and - * return one value. - *

- * Subclasses need only implement {@link LuaValue#call(LuaValue,LuaValue,LuaValue)} to complete this class, - * simplifying development. - * All other uses of {@link #call()}, {@link #invoke(Varargs)},etc, - * are routed through this method by this class, - * dropping or extending arguments with {@code nil} values as required. - *

- * If more or less than three arguments are required, - * or variable argument or variable return values, - * then use one of the related function - * {@link ZeroArgFunction}, {@link OneArgFunction}, {@link TwoArgFunction}, or {@link VarArgFunction}. - *

- * See {@link LibFunction} for more information on implementation libraries and library functions. - * @see #call(LuaValue,LuaValue,LuaValue) - * @see LibFunction - * @see ZeroArgFunction - * @see OneArgFunction - * @see TwoArgFunction - * @see VarArgFunction - */ -abstract public class ThreeArgFunction extends LibFunction { - - abstract public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3); - - /** Default constructor */ - public ThreeArgFunction() { - } - - /** Constructor with specific environment - * @param env The environment to apply during constructon. - */ - public ThreeArgFunction( LuaValue env ) { - this.env = env; - } - - public final LuaValue call() { - return call(NIL, NIL, NIL); - } - - public final LuaValue call(LuaValue arg) { - return call(arg, NIL, NIL); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return call(arg1, arg2, NIL); - } - - public Varargs invoke(Varargs varargs) { - return call(varargs.arg1(),varargs.arg(2),varargs.arg(3)); - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/TwoArgFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/TwoArgFunction.java deleted file mode 100644 index b2c1b0c75..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/TwoArgFunction.java +++ /dev/null @@ -1,80 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** Abstract base class for Java function implementations that take two arguments and - * return one value. - *

- * Subclasses need only implement {@link LuaValue#call(LuaValue,LuaValue)} to complete this class, - * simplifying development. - * All other uses of {@link #call()}, {@link #invoke(Varargs)},etc, - * are routed through this method by this class, - * dropping or extending arguments with {@code nil} values as required. - *

- * If more or less than two arguments are required, - * or variable argument or variable return values, - * then use one of the related function - * {@link ZeroArgFunction}, {@link OneArgFunction}, {@link ThreeArgFunction}, or {@link VarArgFunction}. - *

- * See {@link LibFunction} for more information on implementation libraries and library functions. - * @see #call(LuaValue,LuaValue) - * @see LibFunction - * @see ZeroArgFunction - * @see OneArgFunction - * @see ThreeArgFunction - * @see VarArgFunction - */ -abstract public class TwoArgFunction extends LibFunction { - - abstract public LuaValue call(LuaValue arg1, LuaValue arg2); - - /** Default constructor */ - public TwoArgFunction() { - } - - /** Constructor with specific environment - * @param env The environment to apply during constructon. - */ - public TwoArgFunction( LuaValue env ) { - this.env = env; - } - - public final LuaValue call() { - return call(NIL, NIL); - } - - public final LuaValue call(LuaValue arg) { - return call(arg, NIL); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return call(arg1, arg2); - } - - public Varargs invoke(Varargs varargs) { - return call(varargs.arg1(),varargs.arg(2)); - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/VarArgFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/VarArgFunction.java deleted file mode 100644 index 9fb07af1a..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/VarArgFunction.java +++ /dev/null @@ -1,100 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** Abstract base class for Java function implementations that takes varaiable arguments and - * returns multiple return values. - *

- * Subclasses need only implement {@link LuaValue#invoke(Varargs)} to complete this class, - * simplifying development. - * All other uses of {@link #call(LuaValue)}, {@link #invoke()},etc, - * are routed through this method by this class, - * converting arguments to {@linnk Varargs} and - * dropping or extending return values with {@code nil} values as required. - *

- * If between one and three arguments are required, and only one return value is returned, - * {@link ZeroArgFunction}, {@link OneArgFunction}, {@link TwoArgFunction}, or {@link ThreeArgFunction}. - *

- * See {@link LibFunction} for more information on implementation libraries and library functions. - * @see #invoke(Varargs) - * @see LibFunction - * @see ZeroArgFunction - * @see OneArgFunction - * @see TwoArgFunction - * @see ThreeArgFunction - */ -abstract public class VarArgFunction extends LibFunction { - public VarArgFunction() { - } - - public VarArgFunction( LuaValue env ) { - this.env = env; - } - - public LuaValue call() { - return invoke(NONE).arg1(); - } - - public LuaValue call(LuaValue arg) { - return invoke(arg).arg1(); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return invoke(varargsOf(arg1,arg2)).arg1(); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return invoke(varargsOf(arg1,arg2,arg3)).arg1(); - } - - /** - * Override and implement for the best performance. - * May not have expected behavior for tail calls. - * Should not be used if either: - * - function needs to be used as a module - * - function has a possibility of returning a TailcallVarargs - * @param args the arguments to the function call. - */ - public Varargs invoke(Varargs args) { - LuaThread.CallStack cs = LuaThread.onCall(this); - try { - return this.onInvoke(args).eval(); - } finally { - cs.onReturn(); - } - } - - /** - * Override to provide a call implementation that runs in an environment - * that can participate in setfenv, and behaves as expected - * when returning TailcallVarargs. - * @param args the arguments to the function call. - */ - public Varargs onInvoke(Varargs args) { - return invoke(args); - } - -} diff --git a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ZeroArgFunction.java b/luaj-2.0.3/src/core/org/luaj/vm2/lib/ZeroArgFunction.java deleted file mode 100644 index 526d2fede..000000000 --- a/luaj-2.0.3/src/core/org/luaj/vm2/lib/ZeroArgFunction.java +++ /dev/null @@ -1,77 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** Abstract base class for Java function implementations that take no arguments and - * return one value. - *

- * Subclasses need only implement {@link LuaValue#call()} to complete this class, - * simplifying development. - * All other uses of {@link #call(LuaValue)}, {@link #invoke(Varargs)},etc, - * are routed through this method by this class. - *

- * If one or more arguments are required, or variable argument or variable return values, - * then use one of the related function - * {@link OneArgFunction}, {@link TwoArgFunction}, {@link ThreeArgFunction}, or {@link VarArgFunction}. - *

- * See {@link LibFunction} for more information on implementation libraries and library functions. - * @see #call() - * @see LibFunction - * @see OneArgFunction - * @see TwoArgFunction - * @see ThreeArgFunction - * @see VarArgFunction - */ -abstract public class ZeroArgFunction extends LibFunction { - - abstract public LuaValue call(); - - /** Default constructor */ - public ZeroArgFunction() { - } - - /** Constructor with specific environment - * @param env The environment to apply during constructon. - */ - public ZeroArgFunction( LuaValue env ) { - this.env = env; - } - - public LuaValue call(LuaValue arg) { - return call(); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return call(); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return call(); - } - - public Varargs invoke(Varargs varargs) { - return call(); - } -} diff --git a/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmeIoLib.java b/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmeIoLib.java deleted file mode 100644 index 1a66df9e2..000000000 --- a/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmeIoLib.java +++ /dev/null @@ -1,227 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jme; - -import java.io.IOException; -import java.io.InputStream; -import java.io.OutputStream; - -import javax.microedition.io.Connector; -import javax.microedition.io.StreamConnection; - -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.BaseLib; -import org.luaj.vm2.lib.IoLib; -import org.luaj.vm2.lib.LibFunction; - -/** - * Subclass of {@link IoLib} and therefore {@link LibFunction} which implements the lua standard {@code io} - * library for the JSE platform. - *

- * The implementation of the is based on CLDC 1.0 and StreamConnection. - * However, seek is not supported. - *

- * Typically, this library is included as part of a call to - * {@link JmePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new JmeIoLib());
- * _G.get("io").get("write").call(LuaValue.valueOf("hello, world\n"));
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see IoLib - * @see JseIoLib - * @see http://www.lua.org/manual/5.1/manual.html#5.6 - */ -public class JmeIoLib extends IoLib { - - public JmeIoLib() { - super(); - } - - protected File wrapStdin() throws IOException { - return new FileImpl(BaseLib.instance.STDIN); - } - - protected File wrapStdout() throws IOException { - return new FileImpl(BaseLib.instance.STDOUT); - } - - protected File openFile( String filename, boolean readMode, boolean appendMode, boolean updateMode, boolean binaryMode ) throws IOException { - String url = "file:///" + filename; - int mode = readMode? Connector.READ: Connector.READ_WRITE; - StreamConnection conn = (StreamConnection) Connector.open( url, mode ); - File f = readMode? - new FileImpl(conn, conn.openInputStream(), null): - new FileImpl(conn, conn.openInputStream(), conn.openOutputStream()); - /* - if ( appendMode ) { - f.seek("end",0); - } else { - if ( ! readMode ) - conn.truncate(0); - } - */ - return f; - } - - private static void notimplemented() throws IOException { - throw new IOException("not implemented"); - } - - protected File openProgram(String prog, String mode) throws IOException { - notimplemented(); - return null; - } - - protected File tmpFile() throws IOException { - notimplemented(); - return null; - } - - private final class FileImpl extends File { - private final StreamConnection conn; - private final InputStream is; - private final OutputStream os; - private boolean closed = false; - private boolean nobuffer = false; - private int lookahead = -1; - private FileImpl( StreamConnection conn, InputStream is, OutputStream os ) { - this.conn = conn; - this.is = is; - this.os = os; - } - private FileImpl( InputStream i ) { - this( null, i, null ); - } - private FileImpl( OutputStream o ) { - this( null, null, o ); - } - public String tojstring() { - return "file ("+this.hashCode()+")"; - } - public boolean isstdfile() { - return conn == null; - } - public void close() throws IOException { - closed = true; - if ( conn != null ) { - conn.close(); - } - } - public void flush() throws IOException { - if ( os != null ) - os.flush(); - } - public void write(LuaString s) throws IOException { - if ( os != null ) - os.write( s.m_bytes, s.m_offset, s.m_length ); - else - notimplemented(); - if ( nobuffer ) - flush(); - } - public boolean isclosed() { - return closed; - } - public int seek(String option, int pos) throws IOException { - /* - if ( conn != null ) { - if ( "set".equals(option) ) { - conn.seek(pos); - return (int) conn.getFilePointer(); - } else if ( "end".equals(option) ) { - conn.seek(conn.length()+1+pos); - return (int) conn.length()+1; - } else { - conn.seek(conn.getFilePointer()+pos); - return (int) conn.getFilePointer(); - } - } - */ - notimplemented(); - return 0; - } - public void setvbuf(String mode, int size) { - nobuffer = "no".equals(mode); - } - - // get length remaining to read - public int remaining() throws IOException { - return -1; - } - - // peek ahead one character - public int peek() throws IOException { - if ( lookahead < 0 ) - lookahead = is.read(); - return lookahead; - } - - // return char if read, -1 if eof, throw IOException on other exception - public int read() throws IOException { - if ( lookahead >= 0 ) { - int c = lookahead; - lookahead = -1; - return c; - } - if ( is != null ) - return is.read(); - notimplemented(); - return 0; - } - - // return number of bytes read if positive, -1 if eof, throws IOException - public int read(byte[] bytes, int offset, int length) throws IOException { - int n,i=0; - if (is!=null) { - if ( length > 0 && lookahead >= 0 ) { - bytes[offset] = (byte) lookahead; - lookahead = -1; - i += 1; - } - for ( ; i 0 ? i : -1 ); - i += n; - } - } else { - notimplemented(); - } - return length; - } - } -} diff --git a/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmePlatform.java b/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmePlatform.java deleted file mode 100644 index 04e6482a6..000000000 --- a/luaj-2.0.3/src/jme/org/luaj/vm2/lib/jme/JmePlatform.java +++ /dev/null @@ -1,130 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2.lib.jme; - -import org.luaj.vm2.compiler.LuaC; -import org.luaj.vm2.LoadState; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.BaseLib; -import org.luaj.vm2.lib.CoroutineLib; -import org.luaj.vm2.lib.DebugLib; -import org.luaj.vm2.lib.MathLib; -import org.luaj.vm2.lib.OsLib; -import org.luaj.vm2.lib.PackageLib; -import org.luaj.vm2.lib.StringLib; -import org.luaj.vm2.lib.TableLib; - -/** The {@link JmePlatform} class is a convenience class to standardize - * how globals tables are initialized for the JME platform. - *

- * The JME platform, being limited, cannot implement all libraries in all aspects. The main limitations are - *

    - *
  • Some math functions are not implemented, see {@link MathLib} for details
  • - *
  • Scripts are loaded via Class.getResourceAsStream(), see {@link BaseLib} for details
  • - *
  • OS functions execute(), remove(), rename(), and tmpname() vary, see {@link OsLib} for details
  • - *
  • I/O seek is not implemented, see {@link JmeIoLib} for details
  • - *
  • luajava is not available, see {@link LuajavaLib} for details
  • - *
- *

- * It is used to allocate either a set of standard globals using - * {@link #standardGlobals()} or debug globals using {@link #debugGlobals()} - *

- * A simple example of initializing globals and using them from Java is: - *

 {@code
- * LuaValue _G = JmePlatform.standardGlobals();
- * _G.get("print").call(LuaValue.valueOf("hello, world"));
- * } 
- *

- * Once globals are created, a simple way to load and run a script is: - *

 {@code
- * LoadState.load( getClass().getResourceAsStream("main.lua"), "main.lua", _G ).call();
- * } 
- *

- * although {@code require} could also be used: - *

 {@code
- * _G.get("require").call(LuaValue.valueOf("main"));
- * } 
- * For this to succeed, the file "main.lua" must be a resource in the class path. - * See {@link BaseLib} for details on finding scripts using {@link ResourceFinder}. - *

- * The standard globals will contain all standard libraries in their JME flavors: - *

    - *
  • {@link BaseLib}
  • - *
  • {@link PackageLib}
  • - *
  • {@link TableLib}
  • - *
  • {@link StringLib}
  • - *
  • {@link CoroutineLib}
  • - *
  • {@link MathLib}
  • - *
  • {@link JmeIoLib}
  • - *
  • {@link OsLib}
  • - *
- * In addition, the {@link LuaC} compiler is installed so lua files may be loaded in their source form. - *

- * The debug globals are simply the standard globals plus the {@code debug} library {@link DebugLib}. - *

- *

- * The class ensures that initialization is done in the correct order, - * and that linkage is made to {@link LuaThread#setGlobals(LuaValue)}. - * @see JsePlatform - * @see LoadState - */ -public class JmePlatform { - - /** - * Create a standard set of globals for JME including all the libraries. - * - * @return Table of globals initialized with the standard JME libraries - * @see #debugGlobals() - * @see JsePlatform - * @see JmePlatform - */ - public static LuaTable standardGlobals() { - LuaTable _G = new LuaTable(); - _G.load(new BaseLib()); - _G.load(new PackageLib()); - _G.load(new OsLib()); - _G.load(new MathLib()); - _G.load(new TableLib()); - _G.load(new StringLib()); - _G.load(new CoroutineLib()); - _G.load(new JmeIoLib()); - LuaThread.setGlobals(_G); - LuaC.install(); - return _G; - } - - /** Create standard globals including the {@link debug} library. - * - * @return Table of globals initialized with the standard JSE and debug libraries - * @see #standarsGlobals() - * @see JsePlatform - * @see JmePlatform - * @see DebugLib - */ - public static LuaTable debugGlobals() { - LuaTable _G = standardGlobals(); - _G.load(new DebugLib()); - return _G; - } -} diff --git a/luaj-2.0.3/src/jse/META-INF/services/javax.script.ScriptEngineFactory b/luaj-2.0.3/src/jse/META-INF/services/javax.script.ScriptEngineFactory deleted file mode 100644 index e3e6dde46..000000000 --- a/luaj-2.0.3/src/jse/META-INF/services/javax.script.ScriptEngineFactory +++ /dev/null @@ -1 +0,0 @@ -org.luaj.vm2.script.LuaScriptEngineFactory \ No newline at end of file diff --git a/luaj-2.0.3/src/jse/lua.java b/luaj-2.0.3/src/jse/lua.java deleted file mode 100644 index ecc1230ac..000000000 --- a/luaj-2.0.3/src/jse/lua.java +++ /dev/null @@ -1,223 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ - -import java.io.BufferedReader; -import java.io.ByteArrayInputStream; -import java.io.FileInputStream; -import java.io.IOException; -import java.io.InputStream; -import java.io.InputStreamReader; -import java.util.Vector; - -import org.luaj.vm2.LoadState; -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; -import org.luaj.vm2.lib.jse.JsePlatform; -import org.luaj.vm2.lua2java.Lua2Java; -import org.luaj.vm2.luajc.LuaJC; - - -/** - * lua command for use in java se environments. - */ -public class lua { - private static final String version = Lua._VERSION + "Copyright (c) 2009 Luaj.org.org"; - - private static final String usage = - "usage: java -cp luaj-jse.jar lua [options] [script [args]].\n" + - "Available options are:\n" + - " -e stat execute string 'stat'\n" + - " -l name require library 'name'\n" + - " -i enter interactive mode after executing 'script'\n" + - " -v show version information\n" + - " -j use lua2java source-to-source compiler\n" + - " -b use luajc bytecode-to-bytecode compiler (requires bcel on class path)\n" + - " -n nodebug - do not load debug library by default\n" + - " -- stop handling options\n" + - " - execute stdin and stop handling options"; - - private static void usageExit() { - System.out.println(usage); - System.exit(-1); - } - - private static LuaValue _G; - - public static void main( String[] args ) throws IOException { - - // process args - boolean interactive = (args.length == 0); - boolean versioninfo = false; - boolean processing = true; - boolean nodebug = false; - boolean luajc = false; - boolean lua2java = false; - Vector libs = null; - try { - // stateful argument processing - for ( int i=0; i= args.length ) - usageExit(); - // input script - defer to last stage - break; - case 'b': - luajc = true; - break; - case 'j': - lua2java = true; - break; - case 'l': - if ( ++i >= args.length ) - usageExit(); - libs = libs!=null? libs: new Vector(); - libs.addElement( args[i] ); - break; - case 'i': - interactive = true; - break; - case 'v': - versioninfo = true; - break; - case 'n': - nodebug = true; - break; - case '-': - if ( args[i].length() > 2 ) - usageExit(); - processing = false; - break; - default: - usageExit(); - break; - } - } - } - - // echo version - if ( versioninfo ) - System.out.println(version); - - // new lua state - _G = nodebug? JsePlatform.standardGlobals(): JsePlatform.debugGlobals(); - if ( luajc ) LuaJC.install(); - if ( lua2java) Lua2Java.install(); - for ( int i=0, n=libs!=null? libs.size(): 0; i "); - System.out.flush(); - String line = reader.readLine(); - if ( line == null ) - return; - processScript( new ByteArrayInputStream(line.getBytes()), "=stdin", null, 0 ); - } - } -} diff --git a/luaj-2.0.3/src/jse/lua2java.java b/luaj-2.0.3/src/jse/lua2java.java deleted file mode 100644 index 276292d94..000000000 --- a/luaj-2.0.3/src/jse/lua2java.java +++ /dev/null @@ -1,213 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ - -import java.io.File; -import java.io.FileInputStream; -import java.io.FileOutputStream; -import java.io.IOException; -import java.io.PrintWriter; -import java.util.ArrayList; -import java.util.List; - -import org.luaj.vm2.Lua; -import org.luaj.vm2.ast.Chunk; -import org.luaj.vm2.lib.jse.JsePlatform; -import org.luaj.vm2.lua2java.JavaCodeGen; -import org.luaj.vm2.parser.LuaParser; - -/** - * Compile lua sources into java sources. - */ -public class lua2java { - private static final String version = Lua._VERSION + "Copyright (C) 2010 luaj.org"; - - private static final String usage = - "usage: java -cp luaj-jse.jar lua2java [options] fileordir [, fileordir ...]\n" + - "Available options are:\n" + - " - process stdin\n" + - " -s src source directory\n" + - " -d dir destination directory\n" + - " -p pkg package prefix to apply to all classes\n" + - " -e enc override default character encoding\n" + - " -r recursively compile all\n" + - " -v verbose\n"; - - private static void usageExit() { - System.out.println(usage); - System.exit(-1); - } - - private String srcdir = null; - private String destdir = null; - private String pkgprefix = null; - private String encoding = "ISO8859-1"; - private boolean recurse = false; - private boolean verbose = false; - private List files = new ArrayList(); - - public static void main( String[] args ) throws IOException { - new lua2java( args ); - } - - private lua2java( String[] args ) throws IOException { - - // process args - try { - List seeds = new ArrayList (); - - // get stateful args - for ( int i=0; i= args.length ) - usageExit(); - srcdir = args[i]; - break; - case 'd': - if ( ++i >= args.length ) - usageExit(); - destdir = args[i]; - break; - case 'p': - if ( ++i >= args.length ) - usageExit(); - pkgprefix = args[i]; - break; - case 'e': - if ( ++i >= args.length ) - usageExit(); - encoding = args[i]; - break; - case 'r': - recurse = true; - break; - case 'v': - verbose = true; - break; - default: - usageExit(); - break; - } - } - } - - // echo version - if ( verbose ) { - System.out.println(version); - System.out.println("srcdir: "+srcdir); - System.out.println("destdir: "+destdir); - System.out.println("files: "+seeds); - System.out.println("encoding: "+encoding); - System.out.println("recurse: "+recurse); - } - - // need at least one seed - if ( seeds.size() <= 0 ) { - System.err.println(usage); - System.exit(-1); - } - - // collect up files to process - for ( int i=0; i number format 'n', (n=0,1 or 4, default="+DumpState.NUMBER_FORMAT_DEFAULT+")\n" + - " -v show version information\n" + - " -- stop handling options\n"; - - private static void usageExit() { - System.out.println(usage); - System.exit(-1); - } - - private boolean list = false; - private String output = "luac.out"; - private boolean parseonly = false; - private boolean stripdebug = false; - private boolean littleendian = false; - private int numberformat = DumpState.NUMBER_FORMAT_DEFAULT; - private boolean versioninfo = false; - private boolean processing = true; - - public static void main( String[] args ) throws IOException { - new luac( args ); - } - - private luac( String[] args ) throws IOException { - - // process args - try { - // get stateful args - for ( int i=0; i= args.length ) - usageExit(); - output = args[i]; - break; - case 'p': - parseonly = true; - break; - case 's': - stripdebug = true; - break; - case 'e': - littleendian = true; - break; - case 'i': - if ( args[i].length() <= 2 ) - usageExit(); - numberformat = Integer.parseInt(args[i].substring(2)); - break; - case 'v': - versioninfo = true; - break; - case '-': - if ( args[i].length() > 2 ) - usageExit(); - processing = false; - break; - default: - usageExit(); - break; - } - } - } - - // echo version - if ( versioninfo ) - System.out.println(version); - - // open output file - OutputStream fos = new FileOutputStream( output ); - - // process input files - try { - JsePlatform.standardGlobals(); - processing = true; - for ( int i=0; i= args.length ) - usageExit(); - srcdir = args[i]; - break; - case 'd': - if ( ++i >= args.length ) - usageExit(); - destdir = args[i]; - break; - case 'l': - loadclasses = true; - break; - case 'p': - if ( ++i >= args.length ) - usageExit(); - pkgprefix = args[i]; - break; - case 'r': - recurse = true; - break; - case 'v': - verbose = true; - break; - default: - usageExit(); - break; - } - } - } - - // echo version - if ( verbose ) { - System.out.println(version); - System.out.println("srcdir: "+srcdir); - System.out.println("destdir: "+srcdir); - System.out.println("files: "+seeds); - System.out.println("recurse: "+recurse); - } - - // need at least one seed - if ( seeds.size() <= 0 ) { - System.err.println(usage); - System.exit(-1); - } - - // collect up files to process - for ( int i=0; i stats = new ArrayList(); - public NameScope scope; - - public void add(Stat s) { - if ( s == null ) - return; - stats.add(s); - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Chunk.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Chunk.java deleted file mode 100644 index 1167e9623..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Chunk.java +++ /dev/null @@ -1,34 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -public class Chunk { - public final Block block; - - public Chunk(Block b) { - this.block = b; - } - - public void accept( Visitor visitor ) { - visitor.visit( this ); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Exp.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Exp.java deleted file mode 100644 index beb3069c7..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Exp.java +++ /dev/null @@ -1,313 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaValue; - -abstract -public class Exp { - abstract public void accept(Visitor visitor); - - public static Exp constant(LuaValue value) { - return new Constant(value); - } - - public static Exp numberconstant(String token) { - return new Constant( LuaValue.valueOf(token).tonumber() ); - } - - public static Exp varargs() { - return new VarargsExp(); - } - - public static Exp tableconstructor(TableConstructor tc) { - return tc; - } - - public static Exp unaryexp(int op, Exp rhs) { - if ( rhs instanceof BinopExp ) { - BinopExp b = (BinopExp) rhs; - if ( precedence(op) > precedence(b.op) ) - return binaryexp( unaryexp(op, b.lhs), b.op, b.rhs ); - } - return new UnopExp(op, rhs); - } - - public static Exp binaryexp(Exp lhs, int op, Exp rhs) { - if ( lhs instanceof UnopExp ) { - UnopExp u = (UnopExp) lhs; - if ( precedence(op) > precedence(u.op) ) - return unaryexp( u.op, binaryexp( u.rhs, op, rhs ) ); - } - // TODO: cumulate string concatenations together - // TODO: constant folding - if ( lhs instanceof BinopExp ) { - BinopExp b = (BinopExp) lhs; - if ( (precedence(op) > precedence(b.op)) || - ((precedence(op) == precedence(b.op)) && isrightassoc(op)) ) - return binaryexp( b.lhs, b.op, binaryexp( b.rhs, op, rhs ) ); - } - if ( rhs instanceof BinopExp ) { - BinopExp b = (BinopExp) rhs; - if ( (precedence(op) > precedence(b.op)) || - ((precedence(op) == precedence(b.op)) && ! isrightassoc(op)) ) - return binaryexp( binaryexp( lhs, op, b.lhs ), b.op, b.rhs ); - } - return new BinopExp(lhs, op, rhs); - } - - static boolean isrightassoc(int op) { - switch ( op ) { - case Lua.OP_CONCAT: - case Lua.OP_POW: return true; - default: return false; - } - } - - static int precedence(int op) { - switch ( op ) { - case Lua.OP_OR: return 0; - case Lua.OP_AND: return 1; - case Lua.OP_LT: case Lua.OP_GT: case Lua.OP_LE: case Lua.OP_GE: case Lua.OP_NEQ: case Lua.OP_EQ: return 2; - case Lua.OP_CONCAT: return 3; - case Lua.OP_ADD: case Lua.OP_SUB: return 4; - case Lua.OP_MUL: case Lua.OP_DIV: case Lua.OP_MOD: return 5; - case Lua.OP_NOT: case Lua.OP_UNM: case Lua.OP_LEN: return 6; - case Lua.OP_POW: return 7; - default: throw new IllegalStateException("precedence of bad op "+op); - } - } - - public static Exp anonymousfunction(FuncBody funcbody) { - return new AnonFuncDef(funcbody); - } - - /** foo */ - public static NameExp nameprefix(String name) { - return new NameExp(name); - } - - /** ( foo.bar ) */ - public static ParensExp parensprefix(Exp exp) { - return new ParensExp(exp); - } - - /** foo[exp] */ - public static IndexExp indexop(PrimaryExp lhs, Exp exp) { - return new IndexExp(lhs, exp); - } - - /** foo.bar */ - public static FieldExp fieldop(PrimaryExp lhs, String name) { - return new FieldExp(lhs, name); - } - - /** foo(2,3) */ - public static FuncCall functionop(PrimaryExp lhs, FuncArgs args) { - return new FuncCall(lhs, args); - } - - /** foo:bar(4,5) */ - public static MethodCall methodop(PrimaryExp lhs, String name, FuncArgs args) { - return new MethodCall(lhs, name, args); - } - - public boolean isvarexp() { - return false; - } - - public boolean isfunccall() { - return false; - } - - public boolean isvarargexp() { - return false; - } - - abstract public static class PrimaryExp extends Exp { - public boolean isvarexp() { - return false; - } - public boolean isfunccall() { - return false; - } - } - - abstract public static class VarExp extends PrimaryExp { - public boolean isvarexp() { - return true; - } - public void markHasAssignment() { - } - } - - public static class NameExp extends VarExp { - public final Name name; - public NameExp(String name) { - this.name = new Name(name); - } - public void markHasAssignment() { - name.variable.hasassignments = true; - } - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class ParensExp extends PrimaryExp { - public final Exp exp; - public ParensExp(Exp exp) { - this.exp = exp; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class FieldExp extends VarExp { - public final PrimaryExp lhs; - public final Name name; - public FieldExp(PrimaryExp lhs, String name) { - this.lhs = lhs; - this.name = new Name(name); - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class IndexExp extends VarExp { - public final PrimaryExp lhs; - public final Exp exp; - public IndexExp(PrimaryExp lhs, Exp exp) { - this.lhs = lhs; - this.exp = exp; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class FuncCall extends PrimaryExp { - public final PrimaryExp lhs; - public final FuncArgs args; - - public FuncCall(PrimaryExp lhs, FuncArgs args) { - this.lhs = lhs; - this.args = args; - } - - public boolean isfunccall() { - return true; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - - public boolean isvarargexp() { - return true; - } - } - - public static class MethodCall extends FuncCall { - public final String name; - - public MethodCall(PrimaryExp lhs, String name, FuncArgs args) { - super(lhs, args); - this.name = new String(name); - } - - public boolean isfunccall() { - return true; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class Constant extends Exp { - public final LuaValue value; - public Constant(LuaValue value) { - this.value = value; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class VarargsExp extends Exp { - - public void accept(Visitor visitor) { - visitor.visit(this); - } - - public boolean isvarargexp() { - return true; - } - } - - public static class UnopExp extends Exp { - public final int op; - public final Exp rhs; - public UnopExp(int op, Exp rhs) { - this.op = op; - this.rhs = rhs; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class BinopExp extends Exp { - public final Exp lhs,rhs; - public final int op; - public BinopExp(Exp lhs, int op, Exp rhs) { - this.lhs = lhs; - this.op = op; - this.rhs = rhs; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - - public static class AnonFuncDef extends Exp { - public final FuncBody body; - public AnonFuncDef(FuncBody funcbody) { - this.body = funcbody; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncArgs.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncArgs.java deleted file mode 100644 index 8188e8039..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncArgs.java +++ /dev/null @@ -1,66 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.ArrayList; -import java.util.List; - -import org.luaj.vm2.LuaString; - -public class FuncArgs { - - public final List exps; - - /** exp1,exp2... */ - public static FuncArgs explist(List explist) { - return new FuncArgs(explist); - } - - /** {...} */ - public static FuncArgs tableconstructor(TableConstructor table) { - return new FuncArgs(table); - } - - /** "mylib" */ - public static FuncArgs string(LuaString string) { - return new FuncArgs(string); - } - - public FuncArgs(List exps) { - this.exps = exps; - } - - public FuncArgs(LuaString string) { - this.exps = new ArrayList(); - this.exps.add( Exp.constant(string) ); - } - - public FuncArgs(TableConstructor table) { - this.exps = new ArrayList(); - this.exps.add( table ); - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncBody.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncBody.java deleted file mode 100644 index 74cb72814..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncBody.java +++ /dev/null @@ -1,36 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -public class FuncBody { - public ParList parlist; - public Block block; - public NameScope scope; - - public FuncBody(ParList parlist, Block block) { - this.parlist = parlist!=null? parlist: ParList.EMPTY_PARLIST; - this.block = block; - } - public void accept(Visitor visitor) { - visitor.visit(this); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncName.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncName.java deleted file mode 100644 index 79b334cab..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/FuncName.java +++ /dev/null @@ -1,49 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.ArrayList; -import java.util.List; - -public class FuncName { - // example: a.b.c.d:e - - // initial base name: "a" - public final Name name; - - // intermediate field accesses: "b", "c", "d" - public List dots; - - // optional final method name: "e" - public String method; - - public FuncName( String name ) { - this.name = new Name(name); - } - - public void adddot(String dot) { - if ( dots == null ) - dots = new ArrayList(); - dots.add(dot); - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Name.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Name.java deleted file mode 100644 index 11b4acc24..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Name.java +++ /dev/null @@ -1,31 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - - -public class Name { - public final String name; - public Variable variable; - public Name(String name) { - this.name = name; - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/NameResolver.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/NameResolver.java deleted file mode 100644 index 73ea1edec..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/NameResolver.java +++ /dev/null @@ -1,127 +0,0 @@ -package org.luaj.vm2.ast; - -import java.util.List; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.ast.Exp.Constant; -import org.luaj.vm2.ast.Exp.NameExp; -import org.luaj.vm2.ast.Exp.VarExp; -import org.luaj.vm2.ast.Stat.Assign; -import org.luaj.vm2.ast.Stat.FuncDef; -import org.luaj.vm2.ast.Stat.GenericFor; -import org.luaj.vm2.ast.Stat.LocalAssign; -import org.luaj.vm2.ast.Stat.LocalFuncDef; -import org.luaj.vm2.ast.Stat.NumericFor; - -/** - * Visitor that resolves names to scopes. - * Each Name is resolved to a NamedVarible, possibly in a NameScope - * if it is a local, or in no named scope if it is a global. - */ -public class NameResolver extends Visitor { - - private NameScope scope = null; - - private void pushScope() { - scope = new NameScope(scope); - } - private void popScope() { - scope = scope.outerScope; - } - - public void visit(NameScope scope) { - } - - public void visit(Block block) { - pushScope(); - block.scope = scope; - super.visit(block); - popScope(); - } - - public void visit(FuncBody body) { - pushScope(); - scope.functionNestingCount++; - body.scope = scope; - super.visit(body); - popScope(); - } - - public void visit(LocalFuncDef stat) { - defineLocalVar(stat.name); - super.visit(stat); - } - - public void visit(NumericFor stat) { - pushScope(); - stat.scope = scope; - defineLocalVar(stat.name); - super.visit(stat); - popScope(); - } - - public void visit(GenericFor stat) { - pushScope(); - stat.scope = scope; - defineLocalVars( stat.names ); - super.visit(stat); - popScope(); - } - - public void visit(NameExp exp) { - exp.name.variable = resolveNameReference(exp.name); - super.visit(exp); - } - - public void visit(FuncDef stat) { - stat.name.name.variable = resolveNameReference(stat.name.name); - stat.name.name.variable.hasassignments = true; - super.visit(stat); - } - - public void visit(Assign stat) { - super.visit(stat); - for ( int i=0, n=stat.vars.size(); i0 && m names) { - for ( int i=0, n=names.size(); i LUA_KEYWORDS = new HashSet(); - - static { - String[] k = new String[] { - "and", "break", "do", "else", "elseif", "end", - "false", "for", "function", "if", "in", "local", - "nil", "not", "or", "repeat", "return", - "then", "true", "until", "while" }; - for ( int i=0; i namedVariables = new HashMap(); - - public final NameScope outerScope; - - public int functionNestingCount; - - /** Construct default names scope */ - public NameScope() { - this.outerScope = null; - this.functionNestingCount = 0; - } - - /** Construct name scope within another scope*/ - public NameScope(NameScope outerScope) { - this.outerScope = outerScope; - this.functionNestingCount = outerScope!=null? outerScope.functionNestingCount: 0; - } - - /** Look up a name. If it is a global name, then throw IllegalArgumentException. */ - public Variable find( String name ) throws IllegalArgumentException { - validateIsNotKeyword(name); - for ( NameScope n = this; n!=null; n=n.outerScope ) - if ( n.namedVariables.containsKey(name) ) - return (Variable)n.namedVariables.get(name); - Variable value = new Variable(name); - this.namedVariables.put(name, value); - return value; - } - - /** Define a name in this scope. If it is a global name, then throw IllegalArgumentException. */ - public Variable define( String name ) throws IllegalStateException, IllegalArgumentException { - validateIsNotKeyword(name); - Variable value = new Variable(name, this); - this.namedVariables.put(name, value); - return value; - } - - private void validateIsNotKeyword(String name) { - if ( LUA_KEYWORDS.contains(name) ) - throw new IllegalArgumentException("name is a keyword: '"+name+"'"); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/ParList.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/ParList.java deleted file mode 100644 index 8801f2a61..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/ParList.java +++ /dev/null @@ -1,42 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.ArrayList; -import java.util.List; - -public class ParList { - public static final List EMPTY_NAMELIST = new ArrayList(); - public static final ParList EMPTY_PARLIST = new ParList(EMPTY_NAMELIST,false); - - public final List names; - public final boolean isvararg; - - public ParList(List names, boolean isvararg) { - this.names = names; - this.isvararg = isvararg; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Stat.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Stat.java deleted file mode 100644 index 6d7e3163b..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Stat.java +++ /dev/null @@ -1,250 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.List; - -import org.luaj.vm2.ast.Exp.VarExp; - -abstract -public class Stat { - public abstract void accept(Visitor visitor); - - public static Stat block(Block block) { - return block; - } - - public static Stat whiledo(Exp exp, Block block) { - return new WhileDo(exp, block); - } - - public static Stat repeatuntil(Block block, Exp exp) { - return new RepeatUntil(block, exp); - } - - public static Stat breakstat() { - return new Break(); - } - - public static Stat returnstat(List exps) { - return new Return(exps); - } - - public static Stat assignment(List vars, List exps) { - return new Assign(vars,exps); - } - - public static Stat functioncall(Exp.FuncCall funccall) { - return new FuncCallStat(funccall); - } - - public static Stat localfunctiondef(String name, FuncBody funcbody) { - return new LocalFuncDef(name, funcbody); - } - - public static Stat fornumeric(String name, Exp initial, Exp limit, Exp step, Block block) { - return new NumericFor(name, initial, limit, step, block); - } - - public static Stat functiondef(FuncName funcname, FuncBody funcbody) { - return new FuncDef( funcname, funcbody ); - } - - public static Stat forgeneric(List names, List exps, Block block) { - return new GenericFor(names, exps, block); - } - - public static Stat localassignment(List names, List values) { - return new LocalAssign(names, values); - } - - public static Stat ifthenelse(Exp ifexp, Block ifblock, List elseifexps, List elseifblocks, Block elseblock) { - return new IfThenElse(ifexp, ifblock, elseifexps, elseifblocks, elseblock); - } - - public static class Assign extends Stat { - public final List vars; - public final List exps; - - public Assign(List vars, List exps) { - this.vars = vars; - this.exps = exps; - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } - - } - - public static class WhileDo extends Stat { - public final Exp exp; - public final Block block; - public WhileDo( Exp exp, Block block ) { - this.exp = exp; - this.block = block; - } - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class RepeatUntil extends Stat { - public final Block block; - public final Exp exp; - public RepeatUntil( Block block, Exp exp ) { - this.block = block; - this.exp = exp; - } - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class Break extends Stat { - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class Return extends Stat { - public final List values; - public Return(List values) { - this.values = values; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - - public int nreturns() { - int n = values!=null? values.size(): 0; - if ( n>0 && ((Exp)values.get(n-1)).isvarargexp() ) - n = -1; - return n; - } - } - - public static class FuncCallStat extends Stat { - public final Exp.FuncCall funccall; - public FuncCallStat(Exp.FuncCall funccall) { - this.funccall = funccall; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class LocalFuncDef extends Stat { - public final Name name; - public final FuncBody body; - public LocalFuncDef(String name, FuncBody body) { - this.name = new Name(name); - this.body = body; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class FuncDef extends Stat { - public final FuncName name; - public final FuncBody body; - public FuncDef(FuncName name, FuncBody body) { - this.name = name; - this.body = body; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class GenericFor extends Stat { - public List names; - public List exps; - public Block block; - public NameScope scope; - public GenericFor(List names, List exps, Block block) { - this.names = names; - this.exps = exps; - this.block = block; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class NumericFor extends Stat { - public final Name name; - public final Exp initial,limit,step; - public final Block block; - public NameScope scope; - public NumericFor(String name, Exp initial, Exp limit, Exp step, Block block) { - this.name = new Name(name); - this.initial = initial; - this.limit = limit; - this.step = step; - this.block = block; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class LocalAssign extends Stat { - public final List names; - public final List values; - public LocalAssign(List names, List values) { - this.names = names; - this.values = values; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } - - public static class IfThenElse extends Stat { - public final Exp ifexp; - public final Block ifblock; - public final List elseifexps; - public final List elseifblocks; - public final Block elseblock; - public IfThenElse(Exp ifexp, Block ifblock, List elseifexps, - List elseifblocks, Block elseblock) { - this.ifexp = ifexp; - this.ifblock = ifblock; - this.elseifexps = elseifexps; - this.elseifblocks = elseifblocks; - this.elseblock = elseblock; - } - - public void accept(Visitor visitor) { - visitor.visit( this ); - } - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Str.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Str.java deleted file mode 100644 index 38f3e5abd..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Str.java +++ /dev/null @@ -1,93 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.io.ByteArrayOutputStream; -import java.io.UnsupportedEncodingException; - -import org.luaj.vm2.LuaString; - -public class Str { - - private Str() {} - - public static LuaString quoteString(String image) { - String s = image.substring(1, image.length()-1); - byte[] bytes = unquote(s); - return LuaString.valueOf(bytes); - } - - public static LuaString charString(String image) { - String s = image.substring(1, image.length()-1); - byte[] bytes = unquote(s); - return LuaString.valueOf(bytes); - } - - public static LuaString longString(String image) { - int i = image.indexOf('[', image.indexOf('[')+1)+1; - String s = image.substring(i,image.length()-i); - byte[] b = iso88591bytes(s); - return LuaString.valueOf(b); - } - - public static byte[] iso88591bytes( String s ) { - try { - return s.getBytes("ISO8859-1"); - } catch (UnsupportedEncodingException e) { - throw new IllegalStateException("ISO8859-1 not supported"); - } - } - - public static byte[] unquote(String s) { - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - char[] c = s.toCharArray(); - int n = c.length; - for ( int i=0; i='0' && c[i]<='9'; i++, j++ ) - d = d * 10 + (int) (c[i]-'0'); - baos.write( (byte) d ); - --i; - continue; - case 'a': baos.write( (byte) 7 ); continue; - case 'b': baos.write( (byte) '\b' ); continue; - case 'f': baos.write( (byte) '\f' ); continue; - case 'n': baos.write( (byte) '\n' ); continue; - case 'r': baos.write( (byte) '\r' ); continue; - case 't': baos.write( (byte) '\t' ); continue; - case 'v': baos.write( (byte) 11 ); continue; - case '"': baos.write( (byte) '"' ); continue; - case '\'': baos.write( (byte) '\'' ); continue; - case '\\': baos.write( (byte) '\\' ); continue; - default: baos.write( (byte) c[i] ); break; - } - } else { - baos.write( (byte) c[i] ); - } - } - return baos.toByteArray(); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableConstructor.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableConstructor.java deleted file mode 100644 index 69fd480b7..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableConstructor.java +++ /dev/null @@ -1,32 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.List; - -public class TableConstructor extends Exp { - public List fields; - - public void accept(Visitor visitor) { - visitor.visit(this); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableField.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableField.java deleted file mode 100644 index 7056bac54..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/TableField.java +++ /dev/null @@ -1,51 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -public class TableField { - - public final Exp index; - public final String name; - public final Exp rhs; - - public TableField(Exp index, String name, Exp rhs) { - this.index = index; - this.name = name; - this.rhs = rhs; - } - - public static TableField keyedField(Exp index, Exp rhs) { - return new TableField(index, null, rhs); - } - - public static TableField namedField(String name, Exp rhs) { - return new TableField(null, name, rhs); - } - - public static TableField listField(Exp rhs) { - return new TableField(null, null, rhs); - } - - public void accept(Visitor visitor) { - visitor.visit(this); - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Variable.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Variable.java deleted file mode 100644 index 7405be420..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Variable.java +++ /dev/null @@ -1,62 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import org.luaj.vm2.LuaValue; - -/** Variable is created lua name scopes, and is a named, lua variable that - * either refers to a lua local, global, or upvalue storage location. - */ -public class Variable { - - /** The name as it appears in lua source code */ - public final String name; - - /** The lua scope in which this variable is defined. */ - public final NameScope definingScope; - - /** true if this variable is an upvalue */ - public boolean isupvalue; - - /** true if there are assignments made to this variable */ - public boolean hasassignments; - - /** When hasassignments == false, and the initial value is a constant, this is the initial value */ - public LuaValue initialValue; - - /** Global is named variable not associated with a defining scope */ - public Variable(String name) { - this.name = name; - this.definingScope = null; - } - public Variable(String name, NameScope definingScope) { - /** Local variable is defined in a particular scope. */ - this.name = name; - this.definingScope = definingScope; - } - public boolean isLocal() { - return this.definingScope != null; - } - public boolean isConstant() { - return ! hasassignments && initialValue != null; - } -} \ No newline at end of file diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Visitor.java b/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Visitor.java deleted file mode 100644 index 8687a624b..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/ast/Visitor.java +++ /dev/null @@ -1,176 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2010 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.ast; - -import java.util.List; - -import org.luaj.vm2.ast.Exp.VarExp; - -abstract public class Visitor { - public void visit(Chunk chunk) { - chunk.block.accept(this); - }; - public void visit(Block block) { - visit(block.scope); - if ( block.stats != null ) - for ( int i=0, n=block.stats.size(); i vars) { - if ( vars != null ) - for ( int i=0, n=vars.size(); i exps) { - if ( exps != null ) - for ( int i=0, n=exps.size(); i names) { - if ( names != null ) - for ( int i=0, n=names.size(); i - * This class is primarily used by the {@link LuajavaLib}, - * but can also be used directly when working with Java/lua bindings. - *

- * To coerce scalar types, the various, generally the {@code valueOf(type)} methods - * on {@link LuaValue} may be used: - *

    - *
  • {@link LuaValue#valueOf(boolean)}
  • - *
  • {@link LuaValue#valueOf(byte[])}
  • - *
  • {@link LuaValue#valueOf(double)}
  • - *
  • {@link LuaValue#valueOf(int)}
  • - *
  • {@link LuaValue#valueOf(String)}
  • - *
- *

- * To coerce arrays of objects and lists, the {@code listOf(..)} and {@code tableOf(...)} methods - * on {@link LuaValue} may be used: - *

    - *
  • {@link LuaValue#listOf(LuaValue[])}
  • - *
  • {@link LuaValue#listOf(LuaValue[], org.luaj.vm2.Varargs)}
  • - *
  • {@link LuaValue#tableOf(LuaValue[])}
  • - *
  • {@link LuaValue#tableOf(LuaValue[], LuaValue[], org.luaj.vm2.Varargs)}
  • - *
- * The method {@link CoerceJavaToLua#coerce(Object)} looks as the type and dimesioning - * of the argument and tries to guess the best fit for corrsponding lua scalar, - * table, or table of tables. - * - * @see CoerceJavaToLua#coerce(Object) - * @see LuajavaLib - */ -public class CoerceJavaToLua { - - static interface Coercion { - public LuaValue coerce( Object javaValue ); - }; - - static final Map COERCIONS = new HashMap(); - - static { - Coercion boolCoercion = new Coercion() { - public LuaValue coerce( Object javaValue ) { - Boolean b = (Boolean) javaValue; - return b.booleanValue()? LuaValue.TRUE: LuaValue.FALSE; - } - } ; - Coercion intCoercion = new Coercion() { - public LuaValue coerce( Object javaValue ) { - Number n = (Number) javaValue; - return LuaInteger.valueOf( n.intValue() ); - } - } ; - Coercion charCoercion = new Coercion() { - public LuaValue coerce( Object javaValue ) { - Character c = (Character) javaValue; - return LuaInteger.valueOf( c.charValue() ); - } - } ; - Coercion doubleCoercion = new Coercion() { - public LuaValue coerce( Object javaValue ) { - Number n = (Number) javaValue; - return LuaDouble.valueOf( n.doubleValue() ); - } - } ; - Coercion stringCoercion = new Coercion() { - public LuaValue coerce( Object javaValue ) { - return LuaString.valueOf( javaValue.toString() ); - } - } ; - COERCIONS.put( Boolean.class, boolCoercion ); - COERCIONS.put( Byte.class, intCoercion ); - COERCIONS.put( Character.class, charCoercion ); - COERCIONS.put( Short.class, intCoercion ); - COERCIONS.put( Integer.class, intCoercion ); - COERCIONS.put( Long.class, doubleCoercion ); - COERCIONS.put( Float.class, doubleCoercion ); - COERCIONS.put( Double.class, doubleCoercion ); - COERCIONS.put( String.class, stringCoercion ); - } - - /** - * Coerse a Java object to a corresponding lua value. - *

- * Integral types {@code boolean}, {@code byte}, {@code char}, and {@code int} - * will become {@link LuaInteger}; - * {@code long}, {@code float}, and {@code double} will become {@link LuaDouble}; - * {@code String} and {@code byte[]} will become {@link LuaString}; - * other types will become {@link LuaUserdata}. - * @param o Java object needing conversion - * @return {@link LuaValue} corresponding to the supplied Java value. - * @see LuaValue - * @see LuaInteger - * @see LuaDouble - * @see LuaString - * @see LuaUserdata - */ - public static LuaValue coerce(Object o) { - if ( o == null ) - return LuaValue.NIL; - Class clazz = o.getClass(); - Coercion c = (Coercion) COERCIONS.get( clazz ); - if ( c == null ) { - c = o instanceof Class? JavaClass.forClass((Class)o): - clazz.isArray()? arrayCoercion: - instanceCoercion; - COERCIONS.put( clazz, c ); - } - return c.coerce(o); - } - - static final Coercion instanceCoercion = new Coercion() { - public LuaValue coerce(Object javaValue) { - return new JavaInstance(javaValue); - } - }; - - // should be userdata? - static final Coercion arrayCoercion = new Coercion() { - public LuaValue coerce(Object javaValue) { - return new JavaArray(javaValue); - } - }; -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/CoerceLuaToJava.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/CoerceLuaToJava.java deleted file mode 100644 index 7191162ec..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/CoerceLuaToJava.java +++ /dev/null @@ -1,367 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - -import java.lang.reflect.Array; -import java.lang.reflect.Constructor; -import java.lang.reflect.InvocationTargetException; -import java.lang.reflect.Method; -import java.util.Collections; -import java.util.HashMap; -import java.util.Map; - -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; - -/** - * Helper class to coerce values from lua to Java within the luajava library. - *

- * This class is primarily used by the {@link LuajavaLib}, - * but can also be used directly when working with Java/lua bindings. - *

- * To coerce to specific Java values, generally the {@code toType()} methods - * on {@link LuaValue} may be used: - *

    - *
  • {@link LuaValue#toboolean()}
  • - *
  • {@link LuaValue#tobyte()}
  • - *
  • {@link LuaValue#tochar()}
  • - *
  • {@link LuaValue#toshort()}
  • - *
  • {@link LuaValue#toint()}
  • - *
  • {@link LuaValue#tofloat()}
  • - *
  • {@link LuaValue#todouble()}
  • - *
  • {@link LuaValue#tojstring()}
  • - *
  • {@link LuaValue#touserdata()}
  • - *
  • {@link LuaValue#touserdata(Class)}
  • - *
- *

- * For data in lua tables, the various methods on {@link LuaTable} can be used directly - * to convert data to something more useful. - * - * @see LuajavaLib - * @see CoerceJavaToLua - */ -public class CoerceLuaToJava { - - static int SCORE_NULL_VALUE = 0x10; - static int SCORE_WRONG_TYPE = 0x100; - static int SCORE_UNCOERCIBLE = 0x10000; - - static interface Coercion { - public int score( LuaValue value ); - public Object coerce( LuaValue value ); - }; - - /** - * Coerce a LuaValue value to a specified java class - * @param value LuaValue to coerce - * @param clazz Class to coerce into - * @return Object of type clazz (or a subclass) with the corresponding value. - */ - public static Object coerce(LuaValue value, Class clazz) { - return getCoercion(clazz).coerce(value); - } - - static final Map COERCIONS = Collections.synchronizedMap(new HashMap()); - - static final class BoolCoercion implements Coercion { - public String toString() { - return "BoolCoercion()"; - } - public int score( LuaValue value ) { - switch ( value.type() ) { - case LuaValue.TBOOLEAN: - return 0; - } - return 1; - } - - public Object coerce(LuaValue value) { - return value.toboolean()? Boolean.TRUE: Boolean.FALSE; - } - } - - static final class NumericCoercion implements Coercion { - static final int TARGET_TYPE_BYTE = 0; - static final int TARGET_TYPE_CHAR = 1; - static final int TARGET_TYPE_SHORT = 2; - static final int TARGET_TYPE_INT = 3; - static final int TARGET_TYPE_LONG = 4; - static final int TARGET_TYPE_FLOAT = 5; - static final int TARGET_TYPE_DOUBLE = 6; - static final String[] TYPE_NAMES = { "byte", "char", "short", "int", "long", "float", "double" }; - final int targetType; - public String toString() { - return "NumericCoercion("+TYPE_NAMES[targetType]+")"; - } - NumericCoercion(int targetType) { - this.targetType = targetType; - } - public int score( LuaValue value ) { - if ( value.isint() ) { - switch ( targetType ) { - case TARGET_TYPE_BYTE: { - int i = value.toint(); - return (i==(byte)i)? 0: SCORE_WRONG_TYPE; - } - case TARGET_TYPE_CHAR: { - int i = value.toint(); - return (i==(byte)i)? 1: (i==(char)i)? 0: SCORE_WRONG_TYPE; - } - case TARGET_TYPE_SHORT: { - int i = value.toint(); - return (i==(byte)i)? 1: (i==(short)i)? 0: SCORE_WRONG_TYPE; - } - case TARGET_TYPE_INT: { - int i = value.toint(); - return (i==(byte)i)? 2: ((i==(char)i) || (i==(short)i))? 1: 0; - } - case TARGET_TYPE_FLOAT: return 1; - case TARGET_TYPE_LONG: return 1; - case TARGET_TYPE_DOUBLE: return 2; - default: return SCORE_WRONG_TYPE; - } - } else if ( value.isnumber() ) { - switch ( targetType ) { - case TARGET_TYPE_BYTE: return SCORE_WRONG_TYPE; - case TARGET_TYPE_CHAR: return SCORE_WRONG_TYPE; - case TARGET_TYPE_SHORT: return SCORE_WRONG_TYPE; - case TARGET_TYPE_INT: return SCORE_WRONG_TYPE; - case TARGET_TYPE_LONG: { - double d = value.todouble(); - return (d==(long)d)? 0: SCORE_WRONG_TYPE; - } - case TARGET_TYPE_FLOAT: { - double d = value.todouble(); - return (d==(float)d)? 0: SCORE_WRONG_TYPE; - } - case TARGET_TYPE_DOUBLE: { - double d = value.todouble(); - return ((d==(long)d) || (d==(float)d))? 1: 0; - } - default: return SCORE_WRONG_TYPE; - } - } else { - return SCORE_UNCOERCIBLE; - } - } - - public Object coerce(LuaValue value) { - switch ( targetType ) { - case TARGET_TYPE_BYTE: return new Byte( (byte) value.toint() ); - case TARGET_TYPE_CHAR: return new Character( (char) value.toint() ); - case TARGET_TYPE_SHORT: return new Short( (short) value.toint() ); - case TARGET_TYPE_INT: return new Integer( (int) value.toint() ); - case TARGET_TYPE_LONG: return new Long( (long) value.todouble() ); - case TARGET_TYPE_FLOAT: return new Float( (float) value.todouble() ); - case TARGET_TYPE_DOUBLE: return new Double( (double) value.todouble() ); - default: return null; - } - } - } - - static final class StringCoercion implements Coercion { - public static final int TARGET_TYPE_STRING = 0; - public static final int TARGET_TYPE_BYTES = 1; - final int targetType; - public StringCoercion(int targetType) { - this.targetType = targetType; - } - public String toString() { - return "StringCoercion("+(targetType==TARGET_TYPE_STRING? "String": "byte[]")+")"; - } - public int score(LuaValue value) { - switch ( value.type() ) { - case LuaValue.TSTRING: - return value.checkstring().isValidUtf8()? - (targetType==TARGET_TYPE_STRING? 0: 1): - (targetType==TARGET_TYPE_BYTES? 0: SCORE_WRONG_TYPE); - case LuaValue.TNIL: - return SCORE_NULL_VALUE; - default: - return targetType == TARGET_TYPE_STRING? SCORE_WRONG_TYPE: SCORE_UNCOERCIBLE; - } - } - public Object coerce(LuaValue value) { - if ( value.isnil() ) - return null; - if ( targetType == TARGET_TYPE_STRING ) - return value.tojstring(); - LuaString s = value.checkstring(); - byte[] b = new byte[s.m_length]; - s.copyInto(0, b, 0, b.length); - return b; - } - } - - static final class ArrayCoercion implements Coercion { - final Class componentType; - final Coercion componentCoercion; - public ArrayCoercion(Class componentType) { - this.componentType = componentType; - this.componentCoercion = getCoercion(componentType); - } - public String toString() { - return "ArrayCoercion("+componentType.getName()+")"; - } - public int score(LuaValue value) { - switch ( value.type() ) { - case LuaValue.TTABLE: - return value.length()==0? 0: componentCoercion.score( value.get(1) ); - case LuaValue.TUSERDATA: - return inheritanceLevels( componentType, value.touserdata().getClass().getComponentType() ); - case LuaValue.TNIL: - return SCORE_NULL_VALUE; - default: - return SCORE_UNCOERCIBLE; - } - } - public Object coerce(LuaValue value) { - switch ( value.type() ) { - case LuaValue.TTABLE: { - int n = value.length(); - Object a = Array.newInstance(componentType, n); - for ( int i=0; i - * Can get elements by their integer key index, as well as the length. - *

- * This class is not used directly. - * It is returned by calls to {@link CoerceJavaToLua#coerce(Object)} - * when an array is supplied. - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -class JavaArray extends LuaUserdata { - - static final LuaValue LENGTH = valueOf("length"); - - JavaArray(Object instance) { - super(instance); - } - - public LuaValue get(LuaValue key) { - if ( key.equals(LENGTH) ) - return valueOf(Array.getLength(m_instance)); - if ( key.isint() ) { - int i = key.toint() - 1; - return i>=0 && i=0 && i - * Will respond to get() and set() by returning field values, or java methods. - *

- * This class is not used directly. - * It is returned by calls to {@link CoerceJavaToLua#coerce(Object)} - * when a Class is supplied. - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -class JavaClass extends JavaInstance implements CoerceJavaToLua.Coercion { - - static final Map classes = Collections.synchronizedMap(new HashMap()); - - static final LuaValue NEW = valueOf("new"); - - Map fields; - Map methods; - - static JavaClass forClass(Class c) { - JavaClass j = (JavaClass) classes.get(c); - if ( j == null ) - classes.put( c, j = new JavaClass(c) ); - return j; - } - - JavaClass(Class c) { - super(c); - this.jclass = this; - } - - public LuaValue coerce(Object javaValue) { - return this; - } - - Field getField(LuaValue key) { - if ( fields == null ) { - Map m = new HashMap(); - Field[] f = ((Class)m_instance).getFields(); - for ( int i=0; i - * May be called with arguments to return a JavaInstance - * created by calling the constructor. - *

- * This class is not used directly. - * It is returned by calls to {@link JavaClass#new(LuaValue key)} - * when the value of key is "new". - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -class JavaConstructor extends JavaMember { - - static final Map constructors = Collections.synchronizedMap(new HashMap()); - - static JavaConstructor forConstructor(Constructor c) { - JavaConstructor j = (JavaConstructor) constructors.get(c); - if ( j == null ) - constructors.put( c, j = new JavaConstructor(c) ); - return j; - } - - public static LuaValue forConstructors(JavaConstructor[] array) { - return new Overload(array); - } - - final Constructor constructor; - - private JavaConstructor(Constructor c) { - super( c.getParameterTypes(), c.getModifiers() ); - this.constructor = c; - } - - public Varargs invoke(Varargs args) { - Object[] a = convertArgs(args); - try { - return CoerceJavaToLua.coerce( constructor.newInstance(a) ); - } catch (InvocationTargetException e) { - throw new LuaError(e.getTargetException()); - } catch (Exception e) { - return LuaValue.error("coercion error "+e); - } - } - - /** - * LuaValue that represents an overloaded Java constructor. - *

- * On invocation, will pick the best method from the list, and invoke it. - *

- * This class is not used directly. - * It is returned by calls to calls to {@link JavaClass#get(LuaValue key)} - * when key is "new" and there is more than one public constructor. - */ - static class Overload extends VarArgFunction { - final JavaConstructor[] constructors; - public Overload(JavaConstructor[] c) { - this.constructors = c; - } - - public Varargs invoke(Varargs args) { - JavaConstructor best = null; - int score = CoerceLuaToJava.SCORE_UNCOERCIBLE; - for ( int i=0; i - * Will respond to get() and set() by returning field values or methods. - *

- * This class is not used directly. - * It is returned by calls to {@link CoerceJavaToLua#coerce(Object)} - * when a subclass of Object is supplied. - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -class JavaInstance extends LuaUserdata { - - JavaClass jclass; - - JavaInstance(Object instance) { - super(instance); - } - - public LuaValue get(LuaValue key) { - if ( jclass == null ) - jclass = JavaClass.forClass(m_instance.getClass()); - Field f = jclass.getField(key); - if ( f != null ) - try { - return CoerceJavaToLua.coerce(f.get(m_instance)); - } catch (Exception e) { - throw new LuaError(e); - } - LuaValue m = jclass.getMethod(key); - if ( m != null ) - return m; - return super.get(key); - } - - public void set(LuaValue key, LuaValue value) { - if ( jclass == null ) - jclass = JavaClass.forClass(m_instance.getClass()); - Field f = jclass.getField(key); - if ( f != null ) - try { - f.set(m_instance, CoerceLuaToJava.coerce(value, f.getType())); - return; - } catch (Exception e) { - throw new LuaError(e); - } - super.set(key, value); - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JavaMember.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JavaMember.java deleted file mode 100644 index e4e9b7ed7..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JavaMember.java +++ /dev/null @@ -1,84 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - -import org.luaj.vm2.Varargs; -import org.luaj.vm2.lib.VarArgFunction; -import org.luaj.vm2.lib.jse.CoerceLuaToJava.Coercion; - -/** - * Java method or constructor. - *

- * Primarily handles argument coercion for parameter lists including scoring of compatibility and - * java varargs handling. - *

- * This class is not used directly. - * It is an abstract base class for {@link JavaConstructor} and {@link JavaMethod}. - * @see JavaConstructor - * @see JavaMethod - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -abstract -class JavaMember extends VarArgFunction { - - static final int METHOD_MODIFIERS_VARARGS = 0x80; - - final Coercion[] fixedargs; - final Coercion varargs; - - protected JavaMember(Class[] params, int modifiers) { - boolean isvarargs = ((modifiers & METHOD_MODIFIERS_VARARGS) != 0); - fixedargs = new CoerceLuaToJava.Coercion[isvarargs? params.length-1: params.length]; - for ( int i=0; ifixedargs.length? CoerceLuaToJava.SCORE_WRONG_TYPE * (n-fixedargs.length): 0; - for ( int j=0; j - * Can be invoked via call(LuaValue...) and related methods. - *

- * This class is not used directly. - * It is returned by calls to calls to {@link JavaInstance#get(LuaValue key)} - * when a method is named. - * @see CoerceJavaToLua - * @see CoerceLuaToJava - */ -class JavaMethod extends JavaMember { - - static final Map methods = Collections.synchronizedMap(new HashMap()); - - static JavaMethod forMethod(Method m) { - JavaMethod j = (JavaMethod) methods.get(m); - if ( j == null ) - methods.put( m, j = new JavaMethod(m) ); - return j; - } - - static LuaFunction forMethods(JavaMethod[] m) { - return new Overload(m); - } - - final Method method; - - private JavaMethod(Method m) { - super( m.getParameterTypes(), m.getModifiers() ); - this.method = m; - try { - if (!m.isAccessible()) - m.setAccessible(true); - } catch (SecurityException s) { - } - } - - public LuaValue call() { - return error("method cannot be called without instance"); - } - - public LuaValue call(LuaValue arg) { - return invokeMethod(arg.checkuserdata(), LuaValue.NONE); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return invokeMethod(arg1.checkuserdata(), arg2); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return invokeMethod(arg1.checkuserdata(), LuaValue.varargsOf(arg2, arg3)); - } - - public Varargs invoke(Varargs args) { - return invokeMethod(args.checkuserdata(1), args.subargs(2)); - } - - LuaValue invokeMethod(Object instance, Varargs args) { - Object[] a = convertArgs(args); - try { - return CoerceJavaToLua.coerce( method.invoke(instance, a) ); - } catch (InvocationTargetException e) { - throw new LuaError(e.getTargetException()); - } catch (Exception e) { - return LuaValue.error("coercion error "+e); - } - } - - /** - * LuaValue that represents an overloaded Java method. - *

- * On invocation, will pick the best method from the list, and invoke it. - *

- * This class is not used directly. - * It is returned by calls to calls to {@link JavaInstance#get(LuaValue key)} - * when an overloaded method is named. - */ - static class Overload extends LuaFunction { - - final JavaMethod[] methods; - - Overload(JavaMethod[] methods) { - this.methods = methods; - } - - public LuaValue call() { - return error("method cannot be called without instance"); - } - - public LuaValue call(LuaValue arg) { - return invokeBestMethod(arg.checkuserdata(), LuaValue.NONE); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2) { - return invokeBestMethod(arg1.checkuserdata(), arg2); - } - - public LuaValue call(LuaValue arg1, LuaValue arg2, LuaValue arg3) { - return invokeBestMethod(arg1.checkuserdata(), LuaValue.varargsOf(arg2, arg3)); - } - - public Varargs invoke(Varargs args) { - return invokeBestMethod(args.checkuserdata(1), args.subargs(2)); - } - - private LuaValue invokeBestMethod(Object instance, Varargs args) { - JavaMethod best = null; - int score = CoerceLuaToJava.SCORE_UNCOERCIBLE; - for ( int i=0; i - * Since JME has no file system by default, {@link BaseLib} implements - * {@link ResourceFinder} using {@link Class#getResource(String)}. - * The {@link JseBaseLib} implements {@link FINDER} by scanning the current directory - * first, then falling back to {@link Class#getResource(String)} if that fails. - * Otherwise, the behavior is the same as that of {@link BaseLib}. - *

- * Typically, this library is included as part of a call to - * {@link JsePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new JseBaseLib());
- * _G.get("print").call(LuaValue.valueOf("hello, world"));
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This is a direct port of the corresponding library in C. - * @see BaseLib - * @see ResourceFinder - * @see #FINDER - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.1 - */ - -public class JseBaseLib extends org.luaj.vm2.lib.BaseLib { - - /** Construct a JSE base library instance */ - public JseBaseLib() { - STDIN = System.in; - } - - /** - * Try to open a file in the current working directory, - * or fall back to base opener if not found. - * - * This implementation attempts to open the file using new File(filename). - * It falls back to the base implementation that looks it up as a resource - * in the class path if not found as a plain file. - * - * @see org.luaj.vm2.lib.BaseLib - * @see org.luaj.vm2.lib.ResourceFinder - * - * @param filename - * @return InputStream, or null if not found. - */ - public InputStream findResource(String filename) { - File f = new File(filename); - if ( ! f.exists() ) - return super.findResource(filename); - try { - return new FileInputStream(f); - } catch ( IOException ioe ) { - return null; - } - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseIoLib.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseIoLib.java deleted file mode 100644 index 8a86ca8fa..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseIoLib.java +++ /dev/null @@ -1,222 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - - -import java.io.BufferedInputStream; -import java.io.IOException; -import java.io.InputStream; -import java.io.OutputStream; -import java.io.RandomAccessFile; - -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaString; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.BaseLib; -import org.luaj.vm2.lib.IoLib; -import org.luaj.vm2.lib.LibFunction; - -/** - * Subclass of {@link IoLib} and therefore {@link LibFunction} which implements the lua standard {@code io} - * library for the JSE platform. - *

- * It uses RandomAccessFile to implement seek on files. - *

- * Typically, this library is included as part of a call to - * {@link JsePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new JseBaseLib());
- * _G.load(new PackageLib());
- * _G.load(new JseIoLib());
- * _G.get("io").get("write").call(LuaValue.valueOf("hello, world\n"));
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see IoLib - * @see JmeIoLib - * @see http://www.lua.org/manual/5.1/manual.html#5.7 - */ -public class JseIoLib extends IoLib { - - public JseIoLib() { - super(); - } - - protected File wrapStdin() throws IOException { - return new FileImpl(BaseLib.instance.STDIN); - } - - protected File wrapStdout() throws IOException { - return new FileImpl(BaseLib.instance.STDOUT); - } - - protected File openFile( String filename, boolean readMode, boolean appendMode, boolean updateMode, boolean binaryMode ) throws IOException { - RandomAccessFile f = new RandomAccessFile(filename,readMode? "r": "rw"); - if ( appendMode ) { - f.seek(f.length()); - } else { - if ( ! readMode ) - f.setLength(0); - } - return new FileImpl( f ); - } - - protected File openProgram(String prog, String mode) throws IOException { - final Process p = Runtime.getRuntime().exec(prog); - return "w".equals(mode)? - new FileImpl( p.getOutputStream() ): - new FileImpl( p.getInputStream() ); - } - - protected File tmpFile() throws IOException { - java.io.File f = java.io.File.createTempFile(".luaj","bin"); - f.deleteOnExit(); - return new FileImpl( new RandomAccessFile(f,"rw") ); - } - - private static void notimplemented() { - throw new LuaError("not implemented"); - } - - private final class FileImpl extends File { - private final RandomAccessFile file; - private final InputStream is; - private final OutputStream os; - private boolean closed = false; - private boolean nobuffer = false; - private FileImpl( RandomAccessFile file, InputStream is, OutputStream os ) { - this.file = file; - this.is = is!=null? is.markSupported()? is: new BufferedInputStream(is): null; - this.os = os; - } - private FileImpl( RandomAccessFile f ) { - this( f, null, null ); - } - private FileImpl( InputStream i ) { - this( null, i, null ); - } - private FileImpl( OutputStream o ) { - this( null, null, o ); - } - public String tojstring() { - return "file ("+this.hashCode()+")"; - } - public boolean isstdfile() { - return file == null; - } - public void close() throws IOException { - closed = true; - if ( file != null ) { - file.close(); - } - } - public void flush() throws IOException { - if ( os != null ) - os.flush(); - } - public void write(LuaString s) throws IOException { - if ( os != null ) - os.write( s.m_bytes, s.m_offset, s.m_length ); - else if ( file != null ) - file.write( s.m_bytes, s.m_offset, s.m_length ); - else - notimplemented(); - if ( nobuffer ) - flush(); - } - public boolean isclosed() { - return closed; - } - public int seek(String option, int pos) throws IOException { - if ( file != null ) { - if ( "set".equals(option) ) { - file.seek(pos); - } else if ( "end".equals(option) ) { - file.seek(file.length()+pos); - } else { - file.seek(file.getFilePointer()+pos); - } - return (int) file.getFilePointer(); - } - notimplemented(); - return 0; - } - public void setvbuf(String mode, int size) { - nobuffer = "no".equals(mode); - } - - // get length remaining to read - public int remaining() throws IOException { - return file!=null? (int) (file.length()-file.getFilePointer()): -1; - } - - // peek ahead one character - public int peek() throws IOException { - if ( is != null ) { - is.mark(1); - int c = is.read(); - is.reset(); - return c; - } else if ( file != null ) { - long fp = file.getFilePointer(); - int c = file.read(); - file.seek(fp); - return c; - } - notimplemented(); - return 0; - } - - // return char if read, -1 if eof, throw IOException on other exception - public int read() throws IOException { - if ( is != null ) - return is.read(); - else if ( file != null ) { - return file.read(); - } - notimplemented(); - return 0; - } - - // return number of bytes read if positive, -1 if eof, throws IOException - public int read(byte[] bytes, int offset, int length) throws IOException { - if (file!=null) { - return file.read(bytes, offset, length); - } else if (is!=null) { - return is.read(bytes, offset, length); - } else { - notimplemented(); - } - return length; - } - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseMathLib.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseMathLib.java deleted file mode 100644 index 1f8d2e695..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseMathLib.java +++ /dev/null @@ -1,107 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009-2011 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.LibFunction; -import org.luaj.vm2.lib.OneArgFunction; -import org.luaj.vm2.lib.TwoArgFunction; - -/** - * Subclass of {@link LibFunction} which implements the lua standard {@code math} - * library. - *

- * It contains all lua math functions, including those not available on the JME platform. - * See {@link org.luaj.lib.MathLib} for the exception list. - *

- * Typically, this library is included as part of a call to - * {@link JsePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new JseBaseLib());
- * _G.load(new PackageLib());
- * _G.load(new JseMathLib());
- * System.out.println( _G.get("math").get("sqrt").call( LuaValue.valueOf(2) ) );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see JsePlatform - * @see JmePlatform - * @see JseMathLib - * @see http://www.lua.org/manual/5.1/manual.html#5.6 - */ -public class JseMathLib extends org.luaj.vm2.lib.MathLib { - - public JseMathLib() {} - - public LuaValue call(LuaValue arg) { - LuaValue t = super.call(arg); - bind( t, JseMathLib1.class, new String[] { - "acos", "asin", "atan", "cosh", - "exp", "log", "log10", "sinh", - "tanh" } ); - bind( t, JseMathLib2.class, new String[] { - "atan2", "pow", } ); - return t; - } - - public static final class JseMathLib1 extends OneArgFunction { - public LuaValue call(LuaValue arg) { - switch ( opcode ) { - case 0: return valueOf(Math.acos(arg.checkdouble())); - case 1: return valueOf(Math.asin(arg.checkdouble())); - case 2: return valueOf(Math.atan(arg.checkdouble())); - case 3: return valueOf(Math.cosh(arg.checkdouble())); - case 4: return valueOf(Math.exp(arg.checkdouble())); - case 5: return valueOf(Math.log(arg.checkdouble())); - case 6: return valueOf(Math.log10(arg.checkdouble())); - case 7: return valueOf(Math.sinh(arg.checkdouble())); - case 8: return valueOf(Math.tanh(arg.checkdouble())); - } - return NIL; - } - } - - public static final class JseMathLib2 extends TwoArgFunction { - public LuaValue call(LuaValue arg1, LuaValue arg2) { - switch ( opcode ) { - case 0: return valueOf(Math.atan2(arg1.checkdouble(), arg2.checkdouble())); - case 1: return valueOf(Math.pow(arg1.checkdouble(), arg2.checkdouble())); - } - return NIL; - } - } - - /** Faster, better version of pow() used by arithmetic operator ^ */ - public double dpow_lib(double a, double b) { - return Math.pow(a, b); - } - - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseOsLib.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseOsLib.java deleted file mode 100644 index 9952cd1c7..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseOsLib.java +++ /dev/null @@ -1,126 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; -import java.io.File; -import java.io.IOException; - -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.LibFunction; - -/** - * Subclass of {@link LibFunction} which implements the standard lua {@code os} library. - *

- * This contains more complete implementations of the following functions - * using features that are specific to JSE: - *

    - *
  • {@code execute()}
  • - *
  • {@code remove()}
  • - *
  • {@code rename()}
  • - *
  • {@code tmpname()}
  • - *
- *

- * Because the nature of the {@code os} library is to encapsulate - * os-specific features, the behavior of these functions varies considerably - * from their counterparts in the C platform. - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * _G.load(new JseBaseLib());
- * _G.load(new PackageLib());
- * _G.load(new JseOsLib());
- * System.out.println( _G.get("os").get("time").call() );
- * } 
- * Doing so will ensure the library is properly initialized - * and loaded into the globals table. - *

- * @see LibFunction - * @see OsLib - * @see JsePlatform - * @see JmePlatform - * @see http://www.lua.org/manual/5.1/manual.html#5.8 - */ -public class JseOsLib extends org.luaj.vm2.lib.OsLib { - - /** return code indicating the execute() threw an I/O exception */ - public static int EXEC_IOEXCEPTION = 1; - - /** return code indicating the execute() was interrupted */ - public static int EXEC_INTERRUPTED = -2; - - /** return code indicating the execute() threw an unknown exception */ - public static int EXEC_ERROR = -3; - - /** public constructor */ - public JseOsLib() { - } - - protected int execute(String command) { - Runtime r = Runtime.getRuntime(); - try { - final Process p = r.exec(command); - try { - p.waitFor(); - return p.exitValue(); - } finally { - p.destroy(); - } - } catch (IOException ioe) { - return EXEC_IOEXCEPTION; - } catch (InterruptedException e) { - return EXEC_INTERRUPTED; - } catch (Throwable t) { - return EXEC_ERROR; - } - } - - protected void remove(String filename) throws IOException { - File f = new File(filename); - if ( ! f.exists() ) - throw new IOException("No such file or directory"); - if ( ! f.delete() ) - throw new IOException("Failed to delete"); - } - - protected void rename(String oldname, String newname) throws IOException { - File f = new File(oldname); - if ( ! f.exists() ) - throw new IOException("No such file or directory"); - if ( ! f.renameTo(new File(newname)) ) - throw new IOException("Failed to delete"); - } - - protected String tmpname() { - try { - java.io.File f = java.io.File.createTempFile(TMP_PREFIX ,TMP_SUFFIX); - return f.getName(); - } catch ( IOException ioe ) { - return super.tmpname(); - } - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JsePlatform.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JsePlatform.java deleted file mode 100644 index 7008280e5..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JsePlatform.java +++ /dev/null @@ -1,117 +0,0 @@ -/******************************************************************************* - * Copyright (c) 2009-2011 Luaj.org. All rights reserved. - * - * Permission is hereby granted, free of charge, to any person obtaining a copy - * of this software and associated documentation files (the "Software"), to deal - * in the Software without restriction, including without limitation the rights - * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell - * copies of the Software, and to permit persons to whom the Software is - * furnished to do so, subject to the following conditions: - * - * The above copyright notice and this permission notice shall be included in - * all copies or substantial portions of the Software. - * - * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR - * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, - * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE - * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER - * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, - * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN - * THE SOFTWARE. - ******************************************************************************/ -package org.luaj.vm2.lib.jse; - -import org.luaj.vm2.compiler.LuaC; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaThread; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.lib.CoroutineLib; -import org.luaj.vm2.lib.DebugLib; -import org.luaj.vm2.lib.PackageLib; -import org.luaj.vm2.lib.StringLib; -import org.luaj.vm2.lib.TableLib; - -/** The {@link JsePlatform} class is a convenience class to standardize - * how globals tables are initialized for the JSE platform. - *

- * It is used to allocate either a set of standard globals using - * {@link #standardGlobals()} or debug globals using {@link #debugGlobals()} - *

- * A simple example of initializing globals and using them from Java is: - *

 {@code
- * LuaValue _G = JsePlatform.standardGlobals();
- * _G.get("print").call(LuaValue.valueOf("hello, world"));
- * } 
- *

- * Once globals are created, a simple way to load and run a script is: - *

 {@code
- * LoadState.load( new FileInputStream("main.lua"), "main.lua", _G ).call();
- * } 
- *

- * although {@code require} could also be used: - *

 {@code
- * _G.get("require").call(LuaValue.valueOf("main"));
- * } 
- * For this to succeed, the file "main.lua" must be in the current directory or a resource. - * See {@link JseBaseLib} for details on finding scripts using {@link ResourceFinder}. - *

- * The standard globals will contain all standard libraries plus {@code luajava}: - *

    - *
  • {@link JseBaseLib}
  • - *
  • {@link PackageLib}
  • - *
  • {@link TableLib}
  • - *
  • {@link StringLib}
  • - *
  • {@link CoroutineLib}
  • - *
  • {@link JseMathLib}
  • - *
  • {@link JseIoLib}
  • - *
  • {@link JseOsLib}
  • - *
  • {@link LuajavaLib}
  • - *
- * In addition, the {@link LuaC} compiler is installed so lua files may be loaded in their source form. - *

- * The debug globals are simply the standard globals plus the {@code debug} library {@link DebugLib}. - *

- * The class ensures that initialization is done in the correct order, - * and that linkage is made to {@link LuaThread#setGlobals(LuaValue)}. - * @see JmePlatform - */ -public class JsePlatform { - - /** - * Create a standard set of globals for JSE including all the libraries. - * - * @return Table of globals initialized with the standard JSE libraries - * @see #debugGlobals() - * @see JsePlatform - * @see JmePlatform - */ - public static LuaTable standardGlobals() { - LuaTable _G = new LuaTable(); - _G.load(new JseBaseLib()); - _G.load(new PackageLib()); - _G.load(new TableLib()); - _G.load(new StringLib()); - _G.load(new CoroutineLib()); - _G.load(new JseMathLib()); - _G.load(new JseIoLib()); - _G.load(new JseOsLib()); - _G.load(new LuajavaLib()); - LuaThread.setGlobals(_G); - LuaC.install(); - return _G; - } - - /** Create standard globals including the {@link debug} library. - * - * @return Table of globals initialized with the standard JSE and debug libraries - * @see #standardGlobals() - * @see JsePlatform - * @see JmePlatform - * @see DebugLib - */ - public static LuaTable debugGlobals() { - LuaTable _G = standardGlobals(); - _G.load(new DebugLib()); - return _G; - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseProcess.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseProcess.java deleted file mode 100644 index c24b6d587..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/JseProcess.java +++ /dev/null @@ -1,116 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2013 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - -import java.io.IOException; -import java.io.InputStream; -import java.io.OutputStream; - -/** Analog of Process that pipes input and output to client-specified streams. - */ -public class JseProcess { - - final Process process; - final Thread input,output,error; - - /** Construct a process around a command, with specified streams to redirect input and output to. - * - * @param cmd The command to execute, including arguments, if any - * @param stdin Optional InputStream to read from as process input, or null if input is not needed. - * @param stdout Optional OutputStream to copy process output to, or null if output is ignored. - * @param stderr Optinoal OutputStream to copy process stderr output to, or null if output is ignored. - * @throws IOException If the system process could not be created. - * @see Process - */ - public JseProcess(String[] cmd, InputStream stdin, OutputStream stdout, OutputStream stderr) throws IOException { - this(Runtime.getRuntime().exec(cmd), stdin, stdout, stderr); - } - - /** Construct a process around a command, with specified streams to redirect input and output to. - * - * @param cmd The command to execute, including arguments, if any - * @param stdin Optional InputStream to read from as process input, or null if input is not needed. - * @param stdout Optional OutputStream to copy process output to, or null if output is ignored. - * @param stderr Optinoal OutputStream to copy process stderr output to, or null if output is ignored. - * @throws IOException If the system process could not be created. - * @see Process - */ - public JseProcess(String cmd, InputStream stdin, OutputStream stdout, OutputStream stderr) throws IOException { - this(Runtime.getRuntime().exec(cmd), stdin, stdout, stderr); - } - - private JseProcess(Process process, InputStream stdin, OutputStream stdout, OutputStream stderr) { - this.process = process; - input = stdin == null? null: copyBytes(stdin, process.getOutputStream(), null, process.getOutputStream()); - output = stdout == null? null: copyBytes(process.getInputStream(), stdout, process.getInputStream(), null); - error = stderr == null? null: copyBytes(process.getErrorStream(), stderr, process.getErrorStream(), null); - } - - /** Get the exit value of the process. */ - public int exitValue() { - return process.exitValue(); - } - - /** Wait for the process to complete, and all pending output to finish. - * @return The exit status. - * @throws InterruptedException - */ - public int waitFor() throws InterruptedException { - int r = process.waitFor(); - if (input != null) - input.join(); - if (output != null) - output.join(); - if (error != null) - error.join(); - process.destroy(); - return r; - } - - /** Create a thread to copy bytes from input to output. */ - private Thread copyBytes(final InputStream input, - final OutputStream output, final InputStream ownedInput, - final OutputStream ownedOutput) { - Thread t = (new Thread() { - public void run() { - try { - byte[] buf = new byte[1024]; - int r; - try { - while ((r = input.read(buf)) >= 0) { - output.write(buf, 0, r); - } - } finally { - if (ownedInput != null) - ownedInput.close(); - if (ownedOutput != null) - ownedOutput.close(); - } - } catch (IOException e) { - e.printStackTrace(); - } - } - }); - t.start(); - return t; - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/LuajavaLib.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/LuajavaLib.java deleted file mode 100644 index 47de37926..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lib/jse/LuajavaLib.java +++ /dev/null @@ -1,195 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2009 Luaj.org. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.lib.jse; - - -import java.lang.reflect.Array; -import java.lang.reflect.InvocationHandler; -import java.lang.reflect.InvocationTargetException; -import java.lang.reflect.Method; -import java.lang.reflect.Proxy; - -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Varargs; -import org.luaj.vm2.compiler.LuaC; -import org.luaj.vm2.lib.LibFunction; -import org.luaj.vm2.lib.PackageLib; -import org.luaj.vm2.lib.VarArgFunction; - -/** - * Subclass of {@link LibFunction} which implements the features of the luajava package. - *

- * Luajava is an approach to mixing lua and java using simple functions that bind - * java classes and methods to lua dynamically. The API is documented on the - * luajava documentation pages. - *

- * Typically, this library is included as part of a call to either - * {@link JsePlatform#standardGlobals()} - *

- * To instantiate and use it directly, - * link it into your globals table via {@link LuaValue#load(LuaValue)} using code such as: - *

 {@code
- * LuaTable _G = new LuaTable();
- * LuaThread.setGlobals(_G);
- * LuaC.install();
- * _G.load(new BaseLib());
- * _G.load(new PackageLib());
- * _G.load(new LuajavaLib());
- * _G.get("loadstring").call( LuaValue.valueOf( 
- * 		"sys = luajava.bindClass('java.lang.System')\n"+
- * 		"print ( sys:currentTimeMillis() )\n" ) ).call(); 
- * } 
- * This example is not intended to be realistic - only to show how the {@link LuajavaLib} - * may be initialized by hand. In practice, the {@code luajava} library is available - * on all JSE platforms via the call to {@link JsePlatform#standardGlobals()} - * and the luajava api's are simply invoked from lua. - *

- * This has been implemented to match as closely as possible the behavior in the corresponding library in C. - * @see LibFunction - * @see org.luaj.vm2.lib.jse.JsePlatform - * @see org.luaj.vm2.lib.jme.JmePlatform - * @see LuaC - * @see http://www.keplerproject.org/luajava/manual.html#luareference - */ -public class LuajavaLib extends VarArgFunction { - - static final int INIT = 0; - static final int BINDCLASS = 1; - static final int NEWINSTANCE = 2; - static final int NEW = 3; - static final int CREATEPROXY = 4; - static final int LOADLIB = 5; - - static final String[] NAMES = { - "bindClass", - "newInstance", - "new", - "createProxy", - "loadLib", - }; - - static final int METHOD_MODIFIERS_VARARGS = 0x80; - - public LuajavaLib() { - } - - public Varargs invoke(Varargs args) { - try { - switch ( opcode ) { - case INIT: { - LuaTable t = new LuaTable(); - bind( t, LuajavaLib.class, NAMES, BINDCLASS ); - env.set("luajava", t); - PackageLib.instance.LOADED.set("luajava", t); - return t; - } - case BINDCLASS: { - final Class clazz = classForName(args.checkjstring(1)); - return JavaClass.forClass(clazz); - } - case NEWINSTANCE: - case NEW: { - // get constructor - final LuaValue c = args.checkvalue(1); - final Class clazz = (opcode==NEWINSTANCE? classForName(c.tojstring()): (Class) c.checkuserdata(Class.class)); - final Varargs consargs = args.subargs(2); - return JavaClass.forClass(clazz).getConstructor().invoke(consargs); - } - - case CREATEPROXY: { - final int niface = args.narg()-1; - if ( niface <= 0 ) - throw new LuaError("no interfaces"); - final LuaValue lobj = args.checktable(niface+1); - - // get the interfaces - final Class[] ifaces = new Class[niface]; - for ( int i=0; i constantDeclarations = new ArrayList(); - Map stringConstants = new HashMap(); - Map numberConstants = new HashMap(); - - - String indent = ""; - void addindent() { - indent+=" "; - } - void subindent() { - indent = indent.substring(3); - } - void out(String s) { - try { - writer.write(s); - } catch (IOException e) { - throw new RuntimeException("write failed: "+e, e); - } - } - void outi(String s) { - out( indent ); - out( s ); - } - void outl(String s) { - outi( s ); - out( "\n" ); - } - void outr(String s) { - out( s ); - out( "\n" ); - } - void outb(String s) { - outl( s ); - addindent(); - } - void oute(String s) { - subindent(); - outl( s ); - } - - public void visit(Chunk chunk) { - if ( packagename != null ) - outl("package "+packagename+";"); - outl("import org.luaj.vm2.*;"); - outl("import org.luaj.vm2.lib.*;"); - outb("public class "+classname+" extends VarArgFunction {"); - outl("public Varargs onInvoke(Varargs $arg) {"); - addindent(); - javascope = JavaScope.newJavaScope( chunk ); - writeBodyBlock(chunk.block); - oute("}"); - for ( int i=0, n=constantDeclarations.size(); i names = stat.names; - List values = stat.values; - int n = names.size(); - int m = values != null? values.size(): 0; - boolean isvarlist = m>0 && m values) { - int n = values!=null? values.size(): 0; - switch ( n ) { - case 0: return "NONE"; - case 1: return evalVarargs((Exp) values.get(0)); - default: - case 2: case 3: - Writer x = pushWriter(); - out( n>3? "varargsOf(new LuaValue[] {":"varargsOf(" ); - for ( int i=1; i3 ) - out( "}," ); - out( evalVarargs((Exp) values.get(n-1))+")" ); - return popWriter(x); - } - } - - Map callerExpects = new HashMap(); - - public String evalLuaValue(Exp exp) { - Writer x = pushWriter(); - callerExpects.put(exp,Integer.valueOf(1)); - exp.accept(this); - return popWriter(x); - } - - public String evalVarargs(Exp exp) { - Writer x = pushWriter(); - callerExpects.put(exp,Integer.valueOf(-1)); - exp.accept(this); - return popWriter(x); - } - - public String evalBoolean(Exp exp) { - Writer x = pushWriter(); - exp.accept(new Visitor() { - public void visit(UnopExp exp) { - switch ( exp.op ) { - case Lua.OP_NOT: - String rhs = evalBoolean( exp.rhs ); - out( "true".equals(rhs)? "false": - "false".equals(rhs)? "true": - "(!"+rhs+")"); - break; - default: out(evalLuaValue(exp)+".toboolean()"); break; - } - } - public void visit(BinopExp exp) { - switch ( exp.op ) { - case Lua.OP_AND: out("("+evalBoolean(exp.lhs)+"&&"+evalBoolean(exp.rhs)+")"); return; - case Lua.OP_OR: out("("+evalBoolean(exp.lhs)+"||"+evalBoolean(exp.rhs)+")"); return; - case Lua.OP_GT: out(evalLuaValue(exp.lhs)+".gt_b("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_GE: out(evalLuaValue(exp.lhs)+".gteq_b("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_LT: out(evalLuaValue(exp.lhs)+".lt_b("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_LE: out(evalLuaValue(exp.lhs)+".lteq_b("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_EQ: out(evalLuaValue(exp.lhs)+".eq_b("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_NEQ: out(evalLuaValue(exp.lhs)+".neq_b("+evalLuaValue(exp.rhs)+")"); return; - default: out(evalLuaValue(exp)+".toboolean()"); return; - } - } - public void visit(Constant exp) { - switch ( exp.value.type() ) { - case LuaValue.TBOOLEAN: - out(exp.value.toboolean()? "true": "false"); - break; - default: - out(evalLuaValue(exp)+".toboolean()"); - break; - } - } - public void visit(ParensExp exp) { - out(evalBoolean(exp.exp)); - } - public void visit(VarargsExp exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(FieldExp exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(IndexExp exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(NameExp exp) { - if ( exp.name.variable.isConstant() ) { - out ( exp.name.variable.initialValue.toboolean()? "true": "false"); - return; - } - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(FuncCall exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(MethodCall exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - public void visit(TableConstructor exp) { - out(evalLuaValue(exp)+".toboolean()"); - } - }); - return popWriter(x); - } - - public String evalNumber(Exp exp) { - Writer x = pushWriter(); - exp.accept(new Visitor() { - public void visit(UnopExp exp) { - switch ( exp.op ) { - case Lua.OP_LEN: out(evalLuaValue(exp.rhs)+".length()"); break; - case Lua.OP_UNM: out("(-"+evalNumber(exp.rhs)+")"); break; - default: out(evalLuaValue(exp)+".checkdouble()"); break; - } - } - public void visit(BinopExp exp) { - String op; - switch ( exp.op ) { - case Lua.OP_ADD: - case Lua.OP_SUB: - case Lua.OP_MUL: - op = (exp.op==Lua.OP_ADD? "+": exp.op==Lua.OP_SUB? "-": "*"); - out("("+evalNumber(exp.lhs)+op+evalNumber(exp.rhs)+")"); - break; - case Lua.OP_POW: out("MathLib.dpow_d("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); break; - case Lua.OP_DIV: out("LuaDouble.ddiv_d("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); break; - case Lua.OP_MOD: out("LuaDouble.dmod_d("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); break; - default: out(evalLuaValue(exp)+".checkdouble()"); break; - } - } - public void visit(Constant exp) { - switch ( exp.value.type() ) { - case LuaValue.TNUMBER: - out( evalNumberLiteral(exp.value.checkdouble()) ); - break; - default: - out(evalLuaValue(exp)+".checkdouble()"); - break; - } - } - public void visit(ParensExp exp) { - out(evalNumber(exp.exp)); - } - public void visit(VarargsExp exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(FieldExp exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(IndexExp exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(NameExp exp) { - if ( exp.name.variable.isConstant() ) { - if ( exp.name.variable.initialValue.isnumber() ) { - out( evalNumberLiteral(exp.name.variable.initialValue.checkdouble()) ); - return; - } - } - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(FuncCall exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(MethodCall exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - public void visit(TableConstructor exp) { - out(evalLuaValue(exp)+".checkdouble()"); - } - }); - return popWriter(x); - } - - public void visit(FuncCallStat stat) { - outi(""); - stat.funccall.accept(this); - outr(";"); - } - - public void visit(BinopExp exp) { - switch ( exp.op ) { - case Lua.OP_AND: - case Lua.OP_OR: - String not = (exp.op==Lua.OP_AND? "!": ""); - out("("+not+"($b="+evalLuaValue(exp.lhs)+").toboolean()?$b:"+evalLuaValue(exp.rhs)+")"); - return; - } - switch ( exp.op ) { - case Lua.OP_ADD: out("valueOf("+evalNumber(exp.lhs)+"+"+evalNumber(exp.rhs)+")"); return; - case Lua.OP_SUB: out("valueOf("+evalNumber(exp.lhs)+"-"+evalNumber(exp.rhs)+")"); return; - case Lua.OP_MUL: out("valueOf("+evalNumber(exp.lhs)+"*"+evalNumber(exp.rhs)+")"); return; - case Lua.OP_POW: out("MathLib.dpow("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); return; - case Lua.OP_DIV: out("LuaDouble.ddiv("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); return; - case Lua.OP_MOD: out("LuaDouble.dmod("+evalNumber(exp.lhs)+","+evalNumber(exp.rhs)+")"); return; - case Lua.OP_GT: out(evalLuaValue(exp.lhs)+".gt("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_GE: out(evalLuaValue(exp.lhs)+".gteq("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_LT: out(evalLuaValue(exp.lhs)+".lt("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_LE: out(evalLuaValue(exp.lhs)+".lteq("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_EQ: out(evalLuaValue(exp.lhs)+".eq("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_NEQ: out(evalLuaValue(exp.lhs)+".neq("+evalLuaValue(exp.rhs)+")"); return; - case Lua.OP_CONCAT: - if ( isConcatExp(exp.rhs) ) { - out( evalLuaValue(exp.lhs) ); - Exp e = exp.rhs; - String close = ""; - for ( ; isConcatExp(e); e=((BinopExp)e).rhs ) { - out( ".concat("+evalLuaValue(((BinopExp)e).lhs) ); - close += ')'; - } - out( ".concat("+evalLuaValue(e)+".buffer())" ); - out( close ); - out( ".value()" ); - } else { - out(evalLuaValue(exp.lhs)+".concat("+evalLuaValue(exp.rhs)+")"); - } - return; - default: throw new IllegalStateException("unknown bin op:"+exp.op); - } - } - - private boolean isConcatExp(Exp e) { - return (e instanceof BinopExp) && (((BinopExp)e).op == Lua.OP_CONCAT); - } - - public void visit(UnopExp exp) { - exp.rhs.accept(this); - switch ( exp.op ) { - case Lua.OP_NOT: out(".not()"); break; - case Lua.OP_LEN: out(".len()"); break; - case Lua.OP_UNM: out(".neg()"); break; - } - } - - public void visit(Constant exp) { - out( evalConstant(exp.value) ); - } - - protected String evalConstant(LuaValue value) { - switch ( value.type() ) { - case LuaValue.TSTRING: - return evalLuaStringConstant(value.checkstring()); - case LuaValue.TNIL: - return "NIL"; - case LuaValue.TBOOLEAN: - return value.toboolean()? "TRUE": "FALSE"; - case LuaValue.TNUMBER: - return evalNumberConstant(value.todouble()); - default: - throw new IllegalStateException("unknown constant type: "+value.typename()); - } - } - - private String evalStringConstant(String str) { - return evalLuaStringConstant( LuaValue.valueOf(str) ); - } - - private String evalLuaStringConstant(LuaString str) { - if ( stringConstants.containsKey(str) ) - return (String) stringConstants.get(str); - String declvalue = quotedStringInitializer(str); - String javaname = javascope.createConstantName(str.tojstring()); - constantDeclarations.add( "static final LuaValue "+javaname+" = valueOf("+declvalue+");" ); - stringConstants.put(str,javaname); - return javaname; - } - - private String evalNumberConstant(double value) { - if ( value == 0 ) return "ZERO"; - if ( value == -1 ) return "MINUSONE"; - if ( value == 1 ) return "ONE"; - if ( numberConstants.containsKey(Double.valueOf(value)) ) - return (String) numberConstants.get(Double.valueOf(value)); - String declvalue = evalNumberLiteral(value); - String javaname = javascope.createConstantName(declvalue); - constantDeclarations.add( "static final LuaValue "+javaname+" = valueOf("+declvalue+");" ); - numberConstants.put(Double.valueOf(value),javaname); - return javaname; - } - - private String evalNumberLiteral(double value) { - int ivalue = (int) value; - String svalue = value==ivalue? String.valueOf(ivalue): String.valueOf(value); - return (value < 0? "("+svalue+")": svalue); - } - - public void visit(FieldExp exp) { - exp.lhs.accept(this); - out(".get("+evalStringConstant(exp.name.name)+")"); - } - - public void visit(IndexExp exp) { - exp.lhs.accept(this); - out(".get("); - exp.exp.accept(this); - out(")"); - } - - public void visit(NameExp exp) { - singleReference( exp.name ); - } - - public void visit(ParensExp exp) { - if ( exp.exp.isvarargexp() ) - out( evalLuaValue(exp.exp) ); - else - exp.exp.accept(this); - } - - public void visit(VarargsExp exp) { - int c = callerExpects.containsKey(exp)? ((Integer)callerExpects.get(exp)).intValue(): 0; - out( c==1? "$arg.arg1()": "$arg" ); - } - - public void visit(MethodCall exp) { - List e = exp.args.exps; - int n = e != null? e.size(): 0; - int c = callerExpects.containsKey(exp)? ((Integer)callerExpects.get(exp)).intValue(): 0; - if ( c == -1 ) - n = -1; - out( evalLuaValue(exp.lhs) ); - switch ( n ) { - case 0: - out(".method("+evalStringConstant(exp.name)+")"); - break; - case 1: case 2: - out(".method("+evalStringConstant(exp.name)+","); - exp.args.accept(this); - out(")"); - break; - default: - out(".invokemethod("+evalStringConstant(exp.name) - +((e==null||e.size()==0)? "": ","+evalListAsVarargs(exp.args.exps))+")"); - if ( c == 1 ) - out(".arg1()"); - break; - } - } - - public void visit(FuncCall exp) { - List e = exp.args.exps; - int n = e != null? e.size(): 0; - if ( n > 0 && ((Exp)e.get(n-1)).isvarargexp() ) - n = -1; - int c = callerExpects.containsKey(exp)? ((Integer)callerExpects.get(exp)).intValue(): 0; - if ( c == -1 ) - n = -1; - out( evalLuaValue(exp.lhs) ); - switch ( n ) { - case 0: case 1: case 2: case 3: - out(".call("); - exp.args.accept(this); - out(")"); - break; - default: - out(".invoke("+((e==null||e.size()==0)? "": evalListAsVarargs(e))+")"); - if ( c == 1 ) - out(".arg1()"); - break; - } - } - - public void tailCall( Exp e ) { - if ( e instanceof MethodCall ) { - MethodCall mc = (MethodCall) e; - outl("return new TailcallVarargs("+evalLuaValue(mc.lhs)+","+evalStringConstant(mc.name)+","+evalListAsVarargs(mc.args.exps)+");"); - } else if ( e instanceof FuncCall ) { - FuncCall fc = (FuncCall) e; - outl("return new TailcallVarargs("+evalLuaValue(fc.lhs)+","+evalListAsVarargs(fc.args.exps)+");"); - } else { - throw new IllegalArgumentException("can't tail call "+e); - } - } - - public void visit(FuncArgs args) { - if ( args.exps != null ) { - int n = args.exps.size(); - if ( n > 0 ) { - for ( int i=1; i=0 && n<=1 && m<=3 && ! body.parlist.isvararg ) { - switch ( m ) { - case 0: - outr("new ZeroArgFunction(env) {"); - addindent(); - outb("public LuaValue call() {"); - break; - case 1: - outr("new OneArgFunction(env) {"); - addindent(); - outb("public LuaValue call(" - +declareArg((Name) body.parlist.names.get(0))+") {"); - assignArg((Name) body.parlist.names.get(0)); - break; - case 2: - outr("new TwoArgFunction(env) {"); - addindent(); - outb("public LuaValue call(" - +declareArg((Name) body.parlist.names.get(0))+"," - +declareArg((Name) body.parlist.names.get(1))+") {"); - assignArg((Name) body.parlist.names.get(0)); - assignArg((Name) body.parlist.names.get(1)); - break; - case 3: - outr("new ThreeArgFunction(env) {"); - addindent(); - outb("public LuaValue call(" - +declareArg((Name) body.parlist.names.get(0))+"," - +declareArg((Name) body.parlist.names.get(1))+"," - +declareArg((Name) body.parlist.names.get(2))+") {"); - assignArg((Name) body.parlist.names.get(0)); - assignArg((Name) body.parlist.names.get(1)); - assignArg((Name) body.parlist.names.get(2)); - break; - } - } else { - outr("new VarArgFunction(env) {"); - addindent(); - outb("public Varargs invoke(Varargs $arg) {"); - for ( int i=0; i0? "$arg.arg("+(i+1)+")": "$arg.arg1()"; - singleLocalDeclareAssign( name, value ); - } - if ( body.parlist.isvararg ) { - Variable arg = body.scope.find("arg"); - javascope.setJavaName(arg,"arg"); - if ( m > 0 ) - outl( "$arg = $arg.subargs("+(m+1)+");" ); - String value = (javascope.usesvarargs? "NIL": "LuaValue.tableOf($arg,1)"); - singleLocalDeclareAssign( arg, value ); - } - } - writeBodyBlock(body.block); - oute("}"); - subindent(); - outi("}"); - javascope = javascope.popJavaScope(); - } - - private String declareArg(Name name) { - String argname = javascope.getJavaName(name.variable); - return "LuaValue "+argname+(name.variable.isupvalue? "$0": ""); - } - - private void assignArg(Name name) { - if ( name.variable.isupvalue ) { - String argname = javascope.getJavaName(name.variable); - singleLocalDeclareAssign(name, argname+"$0"); - } - } - - public void visit(FuncDef stat) { - Writer x = pushWriter(); - stat.body.accept(this); - String value = popWriter(x); - int n = stat.name.dots!=null? stat.name.dots.size(): 0; - boolean m = stat.name.method != null; - if ( n>0 && !m && stat.name.name.variable.isLocal() ) - singleAssign( stat.name.name, value ); - else if ( n==0 && !m ) { - singleAssign( stat.name.name, value ); - } else { - singleReference( stat.name.name ); - for ( int i=0; i0? ("+i+"<="+j+"$limit): ("+i+">="+j+"$limit);" ); - outr( " "+i+"+="+j+"$step ) {" ); - } - addindent(); - singleLocalDeclareAssign(stat.name, "valueOf("+i+")"); - super.visit(stat.block); - oute( "}" ); - } - - private Name tmpJavaVar(String s) { - Name n = new Name(s); - n.variable = javascope.define(s); - return n; - } - - public void visit(GenericFor stat) { - Name f = tmpJavaVar("f"); - Name s = tmpJavaVar("s"); - Name var = tmpJavaVar("var"); - Name v = tmpJavaVar("v"); - String javaf = javascope.getJavaName(f.variable); - String javas = javascope.getJavaName(s.variable); - String javavar = javascope.getJavaName(var.variable); - String javav = javascope.getJavaName(v.variable); - outl("LuaValue "+javaf+","+javas+","+javavar+";"); - outl("Varargs "+javav+";"); - List fsvar = new ArrayList(); - fsvar.add(f); - fsvar.add(s); - fsvar.add(var); - multiAssign(fsvar, stat.exps); - - outb("while (true) {"); - outl( javav+" = "+javaf+".invoke(varargsOf("+javas+","+javavar+"));"); - outl( "if (("+javavar+"="+javav+".arg1()).isnil()) break;"); - singleLocalDeclareAssign((Name) stat.names.get(0),javavar); - for ( int i=1, n=stat.names.size(); i keyed = new ArrayList(); - List list = new ArrayList(); - for ( int i=0; i exps) { - super.visitExps(exps); - } - - public void visitNames(List names) { - super.visitNames(names); - } - - public void visitVars(List vars) { - super.visitVars(vars); - } - } - - private static String quotedStringInitializer(LuaString s) { - byte[] bytes = s.m_bytes; - int o = s.m_offset; - int n = s.m_length; - StringBuffer sb = new StringBuffer(n+2); - - // check for bytes not encodable as utf8 - if ( ! s.isValidUtf8() ) { - sb.append( "new byte[]{" ); - for ( int j=0; j0 ) sb.append(","); - byte b = bytes[o+j]; - switch ( b ) { - case '\n': sb.append( "'\\n'" ); break; - case '\r': sb.append( "'\\r'" ); break; - case '\t': sb.append( "'\\t'" ); break; - case '\\': sb.append( "'\\\\'" ); break; - default: - if ( b >= ' ' ) { - sb.append( '\''); - sb.append( (char) b ); - sb.append( '\''); - } else { - sb.append( String.valueOf((int)b) ); - } - break; - } - } - sb.append( "}" ); - return sb.toString(); - } - - sb.append('"'); - for ( int i=0; i= ' ' ) { - sb.append( (char) b ); break; - } else { - // convert from UTF-8 - int u = 0xff & (int) b; - if ( u>=0xc0 && i+1=0xe0 && i+2 SPECIALS = new HashSet(); - - private static final String[] specials = { - // keywords used by our code generator - "name", "opcode", "env", // "arg", - - // java keywords - "abstract", "continue", "for", "new", "switch", - "assert", "default", "goto", "package", "synchronized", - "boolean", "do", "if", "private", "this", - "break", "double", "implements", "protected", "throw", - "byte", "else", "import", "public", "throws", - "case", "enum", "instanceof", "return", "transient", - "catch", "extends", "int", "short", "try", - "char", "final", "interface", "static", "void", - "class", "finally", "long", "strictfp", "volatile", - "const", "float", "native", "super", "while", - - // java literals - "false", "null", "true", - }; - - static { - for ( int i=0; i staticnames; - final Set javanames = new HashSet(); - final Map astele2javaname = new HashMap(); - - private JavaScope(Set staticnames, JavaScope outerScope) { - super(outerScope); - this.staticnames = staticnames; - } - - public static JavaScope newJavaScope(Chunk chunk) { - return new JavaScope(new HashSet(), null).initialize(chunk.block, -1); - } - - public JavaScope pushJavaScope(FuncBody body) { - return new JavaScope(staticnames, this).initialize(body.block, 0); - } - - public JavaScope popJavaScope() { - return (JavaScope) outerScope; - } - - final String getJavaName(Variable nv) { - for ( JavaScope s = this; s != null; s = (JavaScope) s.outerScope ) - if ( s.astele2javaname.containsKey(nv) ) - return (String) s.astele2javaname.get(nv); - return allocateJavaName( nv, nv.name ); - } - - final private String allocateJavaName(Object astele, String proposal) { - for ( int i=0; true; i++ ) { - String jname = proposal+(i==0? "": "$"+i); - if ( ! isJavanameInScope(jname) && ! SPECIALS.contains(jname) && !staticnames.contains(jname) ) { - javanames.add(jname); - astele2javaname.put(astele,jname); - return jname; - } - } - } - - public void setJavaName(Variable astele, String javaname) { - javanames.add(javaname); - astele2javaname.put(astele,javaname); - } - - private boolean isJavanameInScope(String javaname) { - for ( JavaScope s = this; s != null; s = (JavaScope) s.outerScope ) - if ( s.javanames.contains(javaname) ) - return true; - return false; - } - - public String createConstantName(String proposal) { - proposal = toLegalJavaName(proposal); - for ( int i=0; true; i++ ) { - String jname = proposal+(i==0? "": "$"+i); - if ( ! isJavanameInScope(jname) && ! SPECIALS.contains(jname) && !staticnames.contains(jname) ) { - javanames.add(jname); - staticnames.add(jname); - return jname; - } - } - } - - public static String toLegalJavaName(String string) { - String better = string.replaceAll("[^\\w]", "_"); - if ( better.length() > MAX_CONSTNAME_LEN ) - better = better.substring(0,MAX_CONSTNAME_LEN); - if ( better.length() == 0 || !Character.isJavaIdentifierStart( better.charAt(0) ) ) - better = "_"+better; - return better; - } - - private JavaScope initialize(Block block, int nreturns) { - NewScopeVisitor v = new NewScopeVisitor(nreturns); - block.accept( v ); - this.nreturns = v.nreturns; - this.needsbinoptmp = v.needsbinoptmp; - this.usesvarargs = v.usesvarargs; - return this; - } - - class NewScopeVisitor extends Visitor { - int nreturns = 0; - boolean needsbinoptmp = false; - boolean usesvarargs = false; - NewScopeVisitor(int nreturns) { - this.nreturns = nreturns; - } - public void visit(FuncBody body) {} - public void visit(Return s) { - int n = s.nreturns(); - nreturns = (nreturns<0||n<0? -1: Math.max(n,nreturns)); - super.visit(s); - } - public void visit(BinopExp exp) { - switch ( exp.op ) { - case Lua.OP_AND: case Lua.OP_OR: - needsbinoptmp = true; - break; - } - super.visit(exp); - } - public void visit(VarargsExp exp) { - usesvarargs = true; - } - - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/lua2java/Lua2Java.java b/luaj-2.0.3/src/jse/org/luaj/vm2/lua2java/Lua2Java.java deleted file mode 100644 index c3083a435..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/lua2java/Lua2Java.java +++ /dev/null @@ -1,166 +0,0 @@ -package org.luaj.vm2.lua2java; - -import java.io.BufferedInputStream; -import java.io.DataInputStream; -import java.io.File; -import java.io.FileInputStream; -import java.io.FileOutputStream; -import java.io.IOException; -import java.io.InputStream; -import java.io.OutputStreamWriter; -import java.io.Writer; -import java.util.Arrays; - -import javax.tools.JavaCompiler; -import javax.tools.JavaFileObject; -import javax.tools.StandardJavaFileManager; -import javax.tools.StandardLocation; -import javax.tools.ToolProvider; -import javax.tools.JavaCompiler.CompilationTask; - -import org.luaj.vm2.LoadState; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.LoadState.LuaCompiler; -import org.luaj.vm2.ast.Chunk; -import org.luaj.vm2.compiler.LuaC; -import org.luaj.vm2.parser.LuaParser; - -public class Lua2Java implements LuaCompiler { - - public static final Lua2Java instance = new Lua2Java(); - - public static final void install() { - LoadState.compiler = instance; - } - - private Lua2Java() { - } - - public LuaFunction load(InputStream stream, String filename, LuaValue env) throws IOException { - - // get first byte - if ( ! stream.markSupported() ) - stream = new BufferedInputStream( stream ); - stream.mark( 1 ); - int firstByte = stream.read(); - stream.reset(); - - // we can only sompile sources - if ( firstByte != '\033' ) { - final JavaCompiler compiler = ToolProvider.getSystemJavaCompiler(); - if (compiler == null) - LuaValue.error("no java compiler"); - - // break into package and class - if ( filename.endsWith( ".lua") ) - filename = filename.substring(0, filename.length()-4); - String s = filename.replace('\\', '/').replace('/','.').replaceAll("[^\\w]", "_"); - int p = s.lastIndexOf('.'); - final String packageName = p>=0? s.substring(0,p): null; - final String className = toClassname( s.substring(p+1) ); - - // open output file - final String pkgSubdir = (packageName!=null? packageName.replace('.','/'): ""); - final String srcDirRoot = "lua2java/src"; - final String binDirRoot = "lua2java/classes"; - final String srcDirname = srcDirRoot+"/"+pkgSubdir; - final String binDirname = binDirRoot+"/"+pkgSubdir; - final String srcFilename = srcDirname + "/" + className + ".java"; - - // make directories - new File(srcDirname).mkdirs(); - new File(binDirname).mkdirs(); - - // generate java source - try { - LuaParser parser = new LuaParser(stream,"ISO8859-1"); - Chunk chunk = parser.Chunk(); - File source = new File(srcFilename); - Writer writer = new OutputStreamWriter( new FileOutputStream(source) ); - new JavaCodeGen(chunk,writer,packageName,className); - writer.close(); - - // set up output location - StandardJavaFileManager fm = compiler.getStandardFileManager( null, null, null); - fm.setLocation(StandardLocation.CLASS_OUTPUT, Arrays.asList(new File[] { new File(binDirRoot) })); - - // compile the file - CompilationTask task = compiler.getTask(null, fm, null, null, null, fm.getJavaFileObjects(source)); - boolean success = task.call().booleanValue(); - - // instantiate, config and return - if (success) { - // create instance - ClassLoader cl = new ClassLoader() { - public Class findClass(String classname) throws ClassNotFoundException { - if ( classname.startsWith(className) ) { - File f = new File( binDirname+"/"+classname+".class"); - long n = f.length(); - byte[] b = new byte[(int) n]; - try { - DataInputStream dis = new DataInputStream( new FileInputStream(f) ); - dis.readFully(b); - } catch ( Exception e ) { - throw new RuntimeException("failed to read class bytes: "+e ); - } - return defineClass(classname, b, 0, b.length); - } - return super.findClass(classname); - } - }; - Class clazz = cl.loadClass(className); - Object instance = clazz.newInstance(); - LuaFunction value = (LuaFunction) instance; - value.setfenv( env ); - return value; - } else { - } - } catch ( Exception e ) { - LuaValue.error("compile task failed: "+e); - } - - // report compilation error - LuaValue.error("compile task failed:"); - return null; - } - - // fall back to plain compiler - return LuaC.instance.load( stream, filename, env); - } - - /** Convert lua filename to valid class name */ - public static final String toClassname( String filename ) { - int n=filename.length(); - int j=n; - if ( filename.endsWith(".lua") ) - j -= 4; - for ( int k=0; k='a'&&c<='z') || (c>='A'&&c<='Z') || (c>='0'&&c<='9') ) - return true; - switch ( c ) { - case '.': - case '$': - case '_': - return true; - default: - return false; - } - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/BasicBlock.java b/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/BasicBlock.java deleted file mode 100644 index 130f79472..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/BasicBlock.java +++ /dev/null @@ -1,180 +0,0 @@ -/** - * - */ -package org.luaj.vm2.luajc; - -import java.util.Vector; - -import org.luaj.vm2.Lua; -import org.luaj.vm2.Prototype; - -public class BasicBlock { - int pc0,pc1; // range of program counter values for the block - BasicBlock[] prev; // previous basic blocks (0-n of these) - BasicBlock[] next; // next basic blocks (0, 1, or 2 of these) - boolean islive; // true if this block is used - - public BasicBlock(Prototype p, int pc0) { - this.pc0 = this.pc1 = pc0; - } - - public String toString() { - StringBuffer sb = new StringBuffer(); - sb.append( (pc0+1)+"-"+(pc1+1) - +(prev!=null? " prv: "+str(prev,1): "") - +(next!=null? " nxt: "+str(next,0): "") - +"\n" ); - return sb.toString(); - } - - private String str(BasicBlock[] b, int p) { - if ( b == null ) - return ""; - StringBuffer sb = new StringBuffer(); - sb.append("("); - for ( int i=0, n=b.length; i 0 ) - sb.append( "," ); - sb.append( String.valueOf( p==1? b[i].pc1+1: b[i].pc0+1 ) ); - } - sb.append(")"); - return sb.toString(); - } - - public static BasicBlock[] findBasicBlocks(Prototype p) { - - // mark beginnings, endings - final int n = p.code.length; - final boolean[] isbeg = new boolean[n]; - final boolean[] isend = new boolean[n]; - isbeg[0] = true; - BranchVisitor bv = new BranchVisitor(isbeg) { - public void visitBranch(int pc0, int pc1) { - isend[pc0] = true; - isbeg[pc1] = true; - } - public void visitReturn(int pc) { - isend[pc] = true; - } - }; - visitBranches(p, bv); // 1st time to mark branches - visitBranches(p, bv); // 2nd time to catch merges - - // create basic blocks - final BasicBlock[] blocks = new BasicBlock[n]; - for ( int i=0; i= SUPERTYPE_VARARGS ) - superclassType = SUPERTYPE_VARARGS; - for ( int i=0, n=p.code.length; i 2)) ) { - superclassType = SUPERTYPE_VARARGS; - break; - } - } - - // create class generator - cg = new ClassGen(classname, SUPER_NAME_N[superclassType], filename, - Constants.ACC_PUBLIC | Constants.ACC_SUPER, null); - cp = cg.getConstantPool(); // cg creates constant pool - - // main instruction lists - factory = new InstructionFactory(cg); - init = new InstructionList(); - main = new InstructionList(); - - // create the fields - for ( int i=0; i 0 ) { - append(new ALOAD(1)); - append(new PUSH(cp, 1 + p.numparams)); - append(factory.createInvoke(STR_VARARGS, "subargs", TYPE_VARARGS, ARG_TYPES_INT, Constants.INVOKEVIRTUAL)); - append(new ASTORE(1)); - } - } else { - // fixed arg function between 0 and 3 arguments - for ( slot=0; slot", - cg.getClassName(), init, cg.getConstantPool()); - init.append(InstructionConstants.RETURN); - mg.setMaxStack(); - cg.addMethod(mg.getMethod()); - init.dispose(); - } - - // add default constructor - cg.addEmptyConstructor(Constants.ACC_PUBLIC); - - // gen method - resolveBranches(); - mg.setMaxStack(); - cg.addMethod(mg.getMethod()); - main.dispose(); - - // convert to class bytes - try { - ByteArrayOutputStream baos = new ByteArrayOutputStream(); - cg.getJavaClass().dump(baos); - return baos.toByteArray(); - } catch ( IOException ioe ) { - throw new RuntimeException("JavaClass.dump() threw "+ioe); - } - } - - public void dup() { - append(InstructionConstants.DUP); - } - - public void pop() { - append(InstructionConstants.POP); - } - - public void loadNil() { - append(factory.createFieldAccess(STR_LUAVALUE, "NIL", TYPE_LUAVALUE, Constants.GETSTATIC)); - } - - public void loadNone() { - append(factory.createFieldAccess(STR_LUAVALUE, "NONE", TYPE_LUAVALUE, Constants.GETSTATIC)); - } - - public void loadBoolean(boolean b) { - String field = (b? "TRUE": "FALSE"); - append(factory.createFieldAccess(STR_LUAVALUE, field, TYPE_LUABOOLEAN, Constants.GETSTATIC)); - } - - private Map plainSlotVars = new HashMap(); - private Map upvalueSlotVars = new HashMap(); - private int findSlot( int slot, Map map, String prefix, Type type ) { - Integer islot = Integer.valueOf(slot); - if ( map.containsKey(islot) ) - return ((Integer)map.get(islot)).intValue(); - String name = prefix+slot; - LocalVariableGen local = mg.addLocalVariable(name, type, null, null); - int index = local.getIndex(); - map.put(islot, Integer.valueOf(index)); - return index; - } - private int findSlotIndex( int slot, boolean isupvalue ) { - return isupvalue? - findSlot( slot, upvalueSlotVars, PREFIX_UPVALUE_SLOT, TYPE_LOCALUPVALUE ): - findSlot( slot, plainSlotVars, PREFIX_PLAIN_SLOT, TYPE_LUAVALUE ); - } - - public void loadLocal(int pc, int slot) { - boolean isupval = pi.isUpvalueRefer(pc, slot); - int index = findSlotIndex( slot, isupval ); - append(new ALOAD(index)); - if (isupval) { - append(new PUSH(cp, 0)); - append(InstructionConstants.AALOAD); - } - } - - public void storeLocal(int pc, int slot) { - boolean isupval = pi.isUpvalueAssign(pc, slot); - int index = findSlotIndex( slot, isupval ); - if (isupval) { - boolean isupcreate = pi.isUpvalueCreate(pc, slot); - if ( isupcreate ) { - append(factory.createInvoke(classname, "newupe", TYPE_LOCALUPVALUE, ARG_TYPES_NONE, Constants.INVOKESTATIC)); - append(InstructionConstants.DUP); - append(new ASTORE(index)); - } else { - append(new ALOAD(index)); - } - append(InstructionConstants.SWAP); - append(new PUSH(cp, 0)); - append(InstructionConstants.SWAP); - append(InstructionConstants.AASTORE); - } else { - append(new ASTORE(index)); - } - } - - public void createUpvalues(int pc, int firstslot, int numslots) { - for ( int i=0; i", Type.VOID, Type.NO_ARGS, Constants.INVOKESPECIAL)); - append(InstructionConstants.DUP); - loadEnv(); - append(factory.createInvoke(STR_LUAVALUE, "setfenv", Type.VOID, ARG_TYPES_LUAVALUE, Constants.INVOKEVIRTUAL)); - } - - public void closureInitUpvalueFromUpvalue(String protoname, int newup, int upindex) { - boolean isrw = pi.isReadWriteUpvalue( pi.upvals[upindex] ); - Type uptype = isrw? (Type) TYPE_LOCALUPVALUE: (Type) TYPE_LUAVALUE; - String srcname = upvalueName(upindex); - String destname = upvalueName(newup); - append(InstructionConstants.THIS); - append(factory.createFieldAccess(classname, srcname, uptype, Constants.GETFIELD)); - append(factory.createFieldAccess(protoname, destname, uptype, Constants.PUTFIELD)); - } - - public void closureInitUpvalueFromLocal(String protoname, int newup, int pc, int srcslot) { - boolean isrw = pi.isReadWriteUpvalue( pi.vars[srcslot][pc].upvalue ); - Type uptype = isrw? (Type) TYPE_LOCALUPVALUE: (Type) TYPE_LUAVALUE; - String destname = upvalueName(newup); - int index = findSlotIndex( srcslot, isrw ); - append(new ALOAD(index)); - append(factory.createFieldAccess(protoname, destname, uptype, Constants.PUTFIELD)); - } - - private Map constants = new HashMap(); - - public void loadConstant(LuaValue value) { - switch ( value.type() ) { - case LuaValue.TNIL: - loadNil(); - break; - case LuaValue.TBOOLEAN: - loadBoolean( value.toboolean() ); - break; - case LuaValue.TNUMBER: - case LuaValue.TSTRING: - String name = (String) constants.get(value); - if ( name == null ) { - name = value.type() == LuaValue.TNUMBER? - value.isinttype()? - createLuaIntegerField(value.checkint()): - createLuaDoubleField(value.checkdouble()): - createLuaStringField(value.checkstring()); - constants.put(value, name); - } - append(factory.createGetStatic(classname, name, TYPE_LUAVALUE)); - break; - default: - throw new IllegalArgumentException("bad constant type: "+value.type()); - } - } - - private String createLuaIntegerField(int value) { - String name = PREFIX_CONSTANT+constants.size(); - FieldGen fg = new FieldGen(Constants.ACC_STATIC | Constants.ACC_FINAL, - TYPE_LUAVALUE, name, cp); - cg.addField(fg.getField()); - init.append(new PUSH(cp, value)); - init.append(factory.createInvoke(STR_LUAVALUE, "valueOf", - TYPE_LUAINTEGER, ARG_TYPES_INT, Constants.INVOKESTATIC)); - init.append(factory.createPutStatic(classname, name, TYPE_LUAVALUE)); - return name; - } - - private String createLuaDoubleField(double value) { - String name = PREFIX_CONSTANT+constants.size(); - FieldGen fg = new FieldGen(Constants.ACC_STATIC | Constants.ACC_FINAL, - TYPE_LUAVALUE, name, cp); - cg.addField(fg.getField()); - init.append(new PUSH(cp, value)); - init.append(factory.createInvoke(STR_LUAVALUE, "valueOf", - TYPE_LUANUMBER, ARG_TYPES_DOUBLE, Constants.INVOKESTATIC)); - init.append(factory.createPutStatic(classname, name, TYPE_LUAVALUE)); - return name; - } - - private String createLuaStringField(LuaString value) { - String name = PREFIX_CONSTANT+constants.size(); - FieldGen fg = new FieldGen(Constants.ACC_STATIC | Constants.ACC_FINAL, - TYPE_LUAVALUE, name, cp); - cg.addField(fg.getField()); - LuaString ls = value.checkstring(); - if ( ls.isValidUtf8() ) { - init.append(new PUSH(cp, value.tojstring())); - init.append(factory.createInvoke(STR_LUASTRING, "valueOf", - TYPE_LUASTRING, ARG_TYPES_STRING, Constants.INVOKESTATIC)); - } else { - char[] c = new char[ls.m_length]; - for ( int j=0; j= branchDestHandles.length ) - throw new IllegalArgumentException("no target at or after "+targets[pc]+" op="+Lua.GET_OPCODE(p.code[targets[pc]])); - branches[pc].setTarget(branchDestHandles[t]); - } - } - } - - public void setlistStack(int pc, int a0, int index0, int nvals) { - for ( int i=0; i b+1 ) { - builder.tobuffer(); - for ( int k=c; --k>=b; ) - builder.concatbuffer(); - builder.tovalue(); - } else { - builder.concatvalue(); - } - builder.storeLocal(pc, a); - break; - - case Lua.OP_LOADBOOL:/* A B C R(A):= (Bool)B: if (C) pc++ */ - builder.loadBoolean( b!=0 ); - builder.storeLocal( pc, a ); - if ( c!=0 ) - builder.addBranch(pc, JavaBuilder.BRANCH_GOTO, pc+2); - break; - - case Lua.OP_JMP: /* sBx pc+=sBx */ - builder.addBranch(pc, JavaBuilder.BRANCH_GOTO, pc+1+sbx); - break; - - case Lua.OP_EQ: /* A B C if ((RK(B) == RK(C)) ~= A) then pc++ */ - case Lua.OP_LT: /* A B C if ((RK(B) < RK(C)) ~= A) then pc++ */ - case Lua.OP_LE: /* A B C if ((RK(B) <= RK(C)) ~= A) then pc++ */ - loadLocalOrConstant( p, builder, pc, b ); - loadLocalOrConstant( p, builder, pc, c ); - builder.compareop(o); - builder.addBranch(pc, (a!=0? JavaBuilder.BRANCH_IFEQ: JavaBuilder.BRANCH_IFNE), pc+2); - break; - - case Lua.OP_TEST: /* A C if not (R(A) <=> C) then pc++ */ - builder.loadLocal( pc, a ); - builder.toBoolean(); - builder.addBranch(pc, (c!=0? JavaBuilder.BRANCH_IFEQ: JavaBuilder.BRANCH_IFNE), pc+2); - break; - - case Lua.OP_TESTSET: /* A B C if (R(B) <=> C) then R(A):= R(B) else pc++ */ - builder.loadLocal( pc, b ); - builder.toBoolean(); - builder.addBranch(pc, (c!=0? JavaBuilder.BRANCH_IFEQ: JavaBuilder.BRANCH_IFNE), pc+2); - builder.loadLocal( pc, b ); - builder.storeLocal( pc, a ); - break; - - case Lua.OP_CALL: /* A B C R(A), ... ,R(A+C-2):= R(A)(R(A+1), ... ,R(A+B-1)) */ - - // load function - builder.loadLocal(pc, a); - - // load args - int narg = b - 1; - switch ( narg ) { - case 0: case 1: case 2: case 3: - for ( int i=1; i 3 - builder.newVarargs( pc, a+1, b-1 ); - narg = -1; - break; - case -1: // prev vararg result - loadVarargResults( builder, pc, a+1, vresultbase ); - narg = -1; - break; - } - - // call or invoke - boolean useinvoke = narg<0 || c<1 || c>2; - if ( useinvoke ) - builder.invoke(narg); - else - builder.call(narg); - - // handle results - switch ( c ) { - case 1: - builder.pop(); - break; - case 2: - if ( useinvoke ) - builder.arg( 1 ); - builder.storeLocal(pc, a); - break; - default: // fixed result count - unpack args - for ( int i=1; i 1 - builder.newVarargs( pc, a+1, b-1 ); - break; - case 0: // prev vararg result - loadVarargResults( builder, pc, a+1, vresultbase ); - break; - } - builder.newTailcallVarargs(); - builder.areturn(); - break; - - case Lua.OP_RETURN: /* A B return R(A), ... ,R(A+B-2) (see note) */ - if ( c == 1 ) { - builder.loadNone(); - } else { - switch ( b ) { - case 0: loadVarargResults( builder, pc, a, vresultbase ); break; - case 1: builder.loadNone(); break; - case 2: builder.loadLocal(pc, a); break; - default: builder.newVarargs(pc, a, b-1); break; - } - } - builder.areturn(); - break; - - case Lua.OP_FORPREP: /* A sBx R(A)-=R(A+2): pc+=sBx */ - builder.loadLocal(pc, a); - builder.loadLocal(pc, a+2); - builder.binaryop( Lua.OP_SUB ); - builder.storeLocal(pc, a); - builder.addBranch(pc, JavaBuilder.BRANCH_GOTO, pc+1+sbx); - break; - - case Lua.OP_FORLOOP: /* A sBx R(A)+=R(A+2): if R(A) =2) - builder.dup(); - builder.arg( 1 ); - builder.dup(); - builder.storeLocal(pc, a+2); - builder.storeLocal(pc, a+3); - - // v[2]..v[c], use varargs from stack - for ( int j=2; j<=c; j++ ) { - if ( j 0 ) { - builder.setlistStack( pc, a+1, index0, nstack ); - index0 += nstack; - } - builder.setlistVarargs( index0, vresultbase ); - } else { - builder.setlistStack( pc, a+1, index0, b ); - builder.pop(); - } - break; - - case Lua.OP_CLOSE: /* A close all variables in the stack up to (>=) R(A)*/ - break; - - case Lua.OP_CLOSURE: /* A Bx R(A):= closure(KPROTO[Bx], R(A), ... ,R(A+n)) */ - { - Prototype newp = p.p[bx]; - String protoname = closureName(classname, bx); - int nup = newp.nups; - builder.closureCreate( protoname ); - if ( nup > 0 ) - builder.dup(); - builder.storeLocal( pc, a ); - if ( nup > 0 ) { - for ( int up=0; up unloaded = new HashMap(); - - public JavaLoader( LuaValue env ) { - this.env = env; - } - - public LuaFunction load( Prototype p, String classname, String filename ) { - JavaGen jg = new JavaGen( p, classname, filename ); - return load( jg ); - } - - public LuaFunction load( JavaGen jg ) { - include( jg ); - return load( jg.classname ); - } - - public LuaFunction load(String classname) { - try { - Class c = loadClass( classname ); - LuaFunction v = (LuaFunction) c.newInstance(); - v.setfenv(env); - return v; - } catch ( Exception e ) { - e.printStackTrace(); - throw new IllegalStateException("bad class gen: "+e); - } - } - - public void include( JavaGen jg ) { - unloaded.put( jg.classname, jg.bytecode ); - for ( int i=0, n=jg.inners!=null? jg.inners.length: 0; i - * This requires the bcel library to be on the class path to work as expected. - * If the library is not found, the default {@link LuaC} lua-to-lua-bytecode - * compiler will be used. - *

- * The compiler should be installed as part of globals initialization, - * and before any scripts or lua code is executed. - * A typical example is to install it following the globals creation, - * as in the following: - *

 {@code
- * LuaValue _G = JsePlatform.standardGlobals();
- * LuaJC.install();
- * LoadState.load( new ByteArrayInputStream("print 'hello'".getBytes()), "main.lua", _G ).call();
- * } 
- * @see LuaCompiler - * @see LuaC - * @see JsePlatform - * @see JmePlatform - * @see BaseLib - * @see LuaValue - */ -public class LuaJC implements LuaCompiler { - - private static final String NON_IDENTIFIER = "[^a-zA-Z0-9_$/.\\-]"; - - private static LuaJC instance; - - public static LuaJC getInstance() { - if ( instance == null ) - instance = new LuaJC(); - return instance; - } - - /** - * Install the compiler as the main compiler to use. - * Will fall back to the LuaC prototype compiler. - */ - public static final void install() { - LoadState.compiler = getInstance(); - } - - public LuaJC() { - } - - public Hashtable compileAll(InputStream script, String chunkname, String filename) throws IOException { - String classname = toStandardJavaClassName( chunkname ); - String luaname = toStandardLuaFileName( filename ); - Hashtable h = new Hashtable(); - Prototype p = LuaC.instance.compile(script, classname); - JavaGen gen = new JavaGen(p, classname, luaname); - insert( h, gen ); - return h; - } - - private void insert(Hashtable h, JavaGen gen) { - h.put(gen.classname, gen.bytecode); - for ( int i=0, n=gen.inners!=null? gen.inners.length: 0; i0? new ProtoInfo[p.p.length]: null; - - // find basic blocks - this.blocks = BasicBlock.findBasicBlocks(p); - this.blocklist = BasicBlock.findLiveBlocks(blocks); - - // params are inputs to first block - this.params = new VarInfo[p.maxstacksize]; - for ( int slot=0; slot b0.pc0 ) - propogateVars( v, pc-1, pc ); - - int a,b,c,nups; - int ins = prototype.code[pc]; - int op = Lua.GET_OPCODE(ins); - - // account for assignments, references and invalidations - switch ( op ) { - case Lua.OP_LOADK:/* A Bx R(A) := Kst(Bx) */ - case Lua.OP_LOADBOOL:/* A B C R(A) := (Bool)B; if (C) pc++ */ - case Lua.OP_GETUPVAL: /* A B R(A) := UpValue[B] */ - case Lua.OP_GETGLOBAL: /* A Bx R(A) := Gbl[Kst(Bx)] */ - case Lua.OP_NEWTABLE: /* A B C R(A) := {} (size = B,C) */ - a = Lua.GETARG_A( ins ); - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_MOVE:/* A B R(A) := R(B) */ - case Lua.OP_UNM: /* A B R(A) := -R(B) */ - case Lua.OP_NOT: /* A B R(A) := not R(B) */ - case Lua.OP_LEN: /* A B R(A) := length of R(B) */ - case Lua.OP_TESTSET: /* A B C if (R(B) <=> C) then R(A) := R(B) else pc++ */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - v[b][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_ADD: /* A B C R(A) := RK(B) + RK(C) */ - case Lua.OP_SUB: /* A B C R(A) := RK(B) - RK(C) */ - case Lua.OP_MUL: /* A B C R(A) := RK(B) * RK(C) */ - case Lua.OP_DIV: /* A B C R(A) := RK(B) / RK(C) */ - case Lua.OP_MOD: /* A B C R(A) := RK(B) % RK(C) */ - case Lua.OP_POW: /* A B C R(A) := RK(B) ^ RK(C) */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - if (!Lua.ISK(b)) v[b][pc].isreferenced = true; - if (!Lua.ISK(c)) v[c][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_SETTABLE: /* A B C R(A)[RK(B)]:= RK(C) */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - v[a][pc].isreferenced = true; - if (!Lua.ISK(b)) v[b][pc].isreferenced = true; - if (!Lua.ISK(c)) v[c][pc].isreferenced = true; - break; - - case Lua.OP_CONCAT: /* A B C R(A) := R(B).. ... ..R(C) */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - for ( ; b<=c; b++ ) - v[b][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_FORPREP: /* A sBx R(A)-=R(A+2); pc+=sBx */ - a = Lua.GETARG_A( ins ); - v[a+2][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_GETTABLE: /* A B C R(A) := R(B)[RK(C)] */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - v[b][pc].isreferenced = true; - if (!Lua.ISK(c)) v[c][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - break; - - case Lua.OP_SELF: /* A B C R(A+1) := R(B); R(A) := R(B)[RK(C)] */ - a = Lua.GETARG_A( ins ); - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - v[b][pc].isreferenced = true; - if (!Lua.ISK(c)) v[c][pc].isreferenced = true; - v[a][pc] = new VarInfo(a,pc); - v[a+1][pc] = new VarInfo(a+1,pc); - break; - - case Lua.OP_FORLOOP: /* A sBx R(A)+=R(A+2); - if R(A) =) R(A)*/ - a = Lua.GETARG_A( ins ); - for ( ; a C) then pc++ */ - a = Lua.GETARG_A( ins ); - v[a][pc].isreferenced = true; - break; - - case Lua.OP_EQ: /* A B C if ((RK(B) == RK(C)) ~= A) then pc++ */ - case Lua.OP_LT: /* A B C if ((RK(B) < RK(C)) ~= A) then pc++ */ - case Lua.OP_LE: /* A B C if ((RK(B) <= RK(C)) ~= A) then pc++ */ - b = Lua.GETARG_B( ins ); - c = Lua.GETARG_C( ins ); - if (!Lua.ISK(b)) v[b][pc].isreferenced = true; - if (!Lua.ISK(c)) v[c][pc].isreferenced = true; - break; - - case Lua.OP_JMP: /* sBx pc+=sBx */ - break; - - default: - throw new IllegalStateException("unhandled opcode: "+ins); - } - } - } - return v; - } - - private static void propogateVars(VarInfo[][] v, int pcfrom, int pcto) { - for ( int j=0, m=v.length; j0? new UpvalInfo[newp.nups]: null; - String newname = name + "$" + bx; - for ( int j=0; j 0 && vars[slot][pc] != null && vars[slot][pc].pc == pc && vars[slot][pc-1] != null ) - pc -= 1; - VarInfo v = pc<0? params[slot]: vars[slot][pc]; - return v != null && v.upvalue != null && v.upvalue.rw; - } - - public boolean isInitialValueUsed(int slot) { - VarInfo v = params[slot]; - return v.isreferenced; - } - - public boolean isReadWriteUpvalue(UpvalInfo u) { - return u.rw; - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/UpvalInfo.java b/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/UpvalInfo.java deleted file mode 100644 index c73ec2299..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/luajc/UpvalInfo.java +++ /dev/null @@ -1,144 +0,0 @@ -/** - * - */ -package org.luaj.vm2.luajc; - -import org.luaj.vm2.Lua; - -public class UpvalInfo { - ProtoInfo pi; // where defined - int slot; // where defined - int nvars; // number of vars involved - VarInfo var[]; // list of vars - boolean rw; // read-write - - public UpvalInfo(ProtoInfo pi, int pc, int slot) { - this.pi = pi; - this.slot = slot; - this.nvars = 0; - this.var = null; - includeVarAndPosteriorVars( pi.vars[slot][pc] ); - for ( int i=0; i 1; - } - - private boolean includeVarAndPosteriorVars( VarInfo var ) { - if ( var == null || var == VarInfo.INVALID ) - return false; - if ( var.upvalue == this ) - return true; - var.upvalue = this; - appendVar( var ); - if ( isLoopVariable( var ) ) - return false; - boolean loopDetected = includePosteriorVarsCheckLoops( var ); - if ( loopDetected ) - includePriorVarsIgnoreLoops( var ); - return loopDetected; - } - - private boolean isLoopVariable(VarInfo var) { - if ( var.pc >= 0 ) { - switch ( Lua.GET_OPCODE(pi.prototype.code[var.pc]) ) { - case Lua.OP_TFORLOOP: - case Lua.OP_FORLOOP: - return true; - } - } - return false; - } - - private boolean includePosteriorVarsCheckLoops( VarInfo prior ) { - boolean loopDetected = false; - for ( int i=0, n=pi.blocklist.length; i=b.pc0; pc-- ) { - if ( pi.vars[slot][pc] == prior ) { - loopDetected |= includeVarAndPosteriorVars( pi.vars[slot][pc+1] ); - break; - } - } - } - } - return loopDetected; - } - - private void includePriorVarsIgnoreLoops(VarInfo poster) { - for ( int i=0, n=pi.blocklist.length; i= var.length ) { - VarInfo[] s = var; - var = new VarInfo[nvars*2+1]; - System.arraycopy(s, 0, var, 0, nvars); - } - var[nvars++] = v; - } - - public String toString() { - StringBuffer sb = new StringBuffer(); - sb.append( pi.name ); - for ( int i=0; i0? ",": " " ); - sb.append( String.valueOf(var[i])); - } - if ( rw ) - sb.append( "(rw)" ); - return sb.toString(); - } - - private boolean testIsAllocUpvalue(VarInfo v) { - if ( v.pc < 0 ) - return true; - BasicBlock b = pi.blocks[v.pc]; - if ( v.pc > b.pc0 ) - return pi.vars[slot][v.pc-1].upvalue != this; - if ( b.prev == null ) { - v = pi.params[slot]; - if ( v != null && v.upvalue != this ) - return true; - } else { - for ( int i=0, n=b.prev.length; i0 ) - sb.append( "," ); - sb.append(String.valueOf(values[i])); - } - sb.append("}"); - return sb.toString(); - } - - public VarInfo resolvePhiVariableValues() { - Set visitedBlocks = new HashSet(); - Set vars = new HashSet(); - this.collectUniqueValues(visitedBlocks, vars); - if (vars.contains(INVALID)) - return INVALID; - int n = vars.size(); - Iterator it = vars.iterator(); - if (n == 1) { - VarInfo v = (VarInfo) it.next(); - v.isreferenced |= this.isreferenced; - return v; - } - this.values = new VarInfo[n]; - for ( int i=0; i nl; - List el=null; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case DO: - jj_consume_token(DO); - b = Block(); - jj_consume_token(END); - {if (true) return Stat.block(b);} - break; - case WHILE: - jj_consume_token(WHILE); - e = Exp(); - jj_consume_token(DO); - b = Block(); - jj_consume_token(END); - {if (true) return Stat.whiledo(e,b);} - break; - case REPEAT: - jj_consume_token(REPEAT); - b = Block(); - jj_consume_token(UNTIL); - e = Exp(); - {if (true) return Stat.repeatuntil(b,e);} - break; - case IF: - s = IfThenElse(); - {if (true) return s;} - break; - default: - jj_la1[6] = jj_gen; - if (jj_2_1(3)) { - jj_consume_token(FOR); - n = jj_consume_token(NAME); - jj_consume_token(65); - e = Exp(); - jj_consume_token(66); - e2 = Exp(); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 66: - jj_consume_token(66); - e3 = Exp(); - break; - default: - jj_la1[4] = jj_gen; - ; - } - jj_consume_token(DO); - b = Block(); - jj_consume_token(END); - {if (true) return Stat.fornumeric(n.image,e,e2,e3,b);} - } else { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case FOR: - jj_consume_token(FOR); - nl = NameList(); - jj_consume_token(IN); - el = ExpList(); - jj_consume_token(DO); - b = Block(); - jj_consume_token(END); - {if (true) return Stat.forgeneric(nl,el,b);} - break; - case FUNCTION: - jj_consume_token(FUNCTION); - fn = FuncName(); - fb = FuncBody(); - {if (true) return Stat.functiondef(fn,fb);} - break; - default: - jj_la1[7] = jj_gen; - if (jj_2_2(2)) { - jj_consume_token(LOCAL); - jj_consume_token(FUNCTION); - n = jj_consume_token(NAME); - fb = FuncBody(); - {if (true) return Stat.localfunctiondef(n.image,fb);} - } else { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LOCAL: - jj_consume_token(LOCAL); - nl = NameList(); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 65: - jj_consume_token(65); - el = ExpList(); - break; - default: - jj_la1[5] = jj_gen; - ; - } - {if (true) return Stat.localassignment(nl,el);} - break; - case NAME: - case 69: - s = ExprStat(); - {if (true) return s;} - break; - default: - jj_la1[8] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - } - } - } - } - throw new Error("Missing return statement in function"); - } - - final public Stat IfThenElse() throws ParseException { - Block b,b2,b3=null; - Exp e,e2; - List el=null; - List bl=null; - jj_consume_token(IF); - e = Exp(); - jj_consume_token(THEN); - b = Block(); - label_2: - while (true) { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case ELSEIF: - ; - break; - default: - jj_la1[9] = jj_gen; - break label_2; - } - jj_consume_token(ELSEIF); - e2 = Exp(); - jj_consume_token(THEN); - b2 = Block(); - if (el==null) el=new ArrayList(); - if (bl==null) bl=new ArrayList(); - el.add(e2); - bl.add(b2); - } - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case ELSE: - jj_consume_token(ELSE); - b3 = Block(); - break; - default: - jj_la1[10] = jj_gen; - ; - } - jj_consume_token(END); - {if (true) return Stat.ifthenelse(e,b,el,bl,b3);} - throw new Error("Missing return statement in function"); - } - - final public Stat LastStat() throws ParseException { - List el=null; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case BREAK: - jj_consume_token(BREAK); - {if (true) return Stat.breakstat();} - break; - case RETURN: - jj_consume_token(RETURN); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case FALSE: - case FUNCTION: - case NIL: - case NOT: - case TRUE: - case NAME: - case NUMBER: - case STRING: - case CHARSTRING: - case 69: - case 73: - case 74: - case 77: - case 89: - el = ExpList(); - break; - default: - jj_la1[11] = jj_gen; - ; - } - {if (true) return Stat.returnstat(el);} - break; - default: - jj_la1[12] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public Stat ExprStat() throws ParseException { - Exp.PrimaryExp pe; - Stat as=null; - pe = PrimaryExp(); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 65: - case 66: - as = Assign(assertvarexp(pe)); - break; - default: - jj_la1[13] = jj_gen; - ; - } - {if (true) return as==null? Stat.functioncall(assertfunccall(pe)): as;} - throw new Error("Missing return statement in function"); - } - - final public Stat Assign(Exp.VarExp v0) throws ParseException { - List vl = new ArrayList(); - vl.add(v0); - Exp.VarExp ve; - List el; - label_3: - while (true) { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 66: - ; - break; - default: - jj_la1[14] = jj_gen; - break label_3; - } - jj_consume_token(66); - ve = VarExp(); - vl.add(ve); - } - jj_consume_token(65); - el = ExpList(); - {if (true) return Stat.assignment(vl,el);} - throw new Error("Missing return statement in function"); - } - - final public Exp.VarExp VarExp() throws ParseException { - Exp.PrimaryExp pe; - pe = PrimaryExp(); - {if (true) return assertvarexp(pe);} - throw new Error("Missing return statement in function"); - } - - final public FuncName FuncName() throws ParseException { - FuncName fn; - Token n; - n = jj_consume_token(NAME); - fn=new FuncName(n.image); - label_4: - while (true) { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 67: - ; - break; - default: - jj_la1[15] = jj_gen; - break label_4; - } - jj_consume_token(67); - n = jj_consume_token(NAME); - fn.adddot(n.image); - } - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 68: - jj_consume_token(68); - n = jj_consume_token(NAME); - fn.method=n.image; - break; - default: - jj_la1[16] = jj_gen; - ; - } - {if (true) return fn;} - throw new Error("Missing return statement in function"); - } - - final public Exp.PrimaryExp PrefixExp() throws ParseException { - Token n; - Exp e; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case NAME: - n = jj_consume_token(NAME); - {if (true) return Exp.nameprefix(n.image);} - break; - case 69: - jj_consume_token(69); - e = Exp(); - jj_consume_token(70); - {if (true) return Exp.parensprefix(e);} - break; - default: - jj_la1[17] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public Exp.PrimaryExp PrimaryExp() throws ParseException { - Exp.PrimaryExp pe; - pe = PrefixExp(); - label_5: - while (true) { - if (jj_2_3(2)) { - ; - } else { - break label_5; - } - pe = PostfixOp(pe); - } - {if (true) return pe;} - throw new Error("Missing return statement in function"); - } - - final public Exp.PrimaryExp PostfixOp(Exp.PrimaryExp lhs) throws ParseException { - Token n; - Exp e; - FuncArgs a; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 67: - jj_consume_token(67); - n = jj_consume_token(NAME); - {if (true) return Exp.fieldop(lhs, n.image);} - break; - case 71: - jj_consume_token(71); - e = Exp(); - jj_consume_token(72); - {if (true) return Exp.indexop(lhs, e);} - break; - case 68: - jj_consume_token(68); - n = jj_consume_token(NAME); - a = FuncArgs(); - {if (true) return Exp.methodop(lhs, n.image,a);} - break; - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case STRING: - case CHARSTRING: - case 69: - case 74: - a = FuncArgs(); - {if (true) return Exp.functionop(lhs, a);} - break; - default: - jj_la1[18] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public FuncArgs FuncArgs() throws ParseException { - List el=null; - TableConstructor tc; - LuaString s; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 69: - jj_consume_token(69); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case FALSE: - case FUNCTION: - case NIL: - case NOT: - case TRUE: - case NAME: - case NUMBER: - case STRING: - case CHARSTRING: - case 69: - case 73: - case 74: - case 77: - case 89: - el = ExpList(); - break; - default: - jj_la1[19] = jj_gen; - ; - } - jj_consume_token(70); - {if (true) return FuncArgs.explist(el);} - break; - case 74: - tc = TableConstructor(); - {if (true) return FuncArgs.tableconstructor(tc);} - break; - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case STRING: - case CHARSTRING: - s = Str(); - {if (true) return FuncArgs.string(s);} - break; - default: - jj_la1[20] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public List NameList() throws ParseException { - List nl = new ArrayList(); - Token name; - name = jj_consume_token(NAME); - nl.add(new Name(name.image)); - label_6: - while (true) { - if (jj_2_4(2)) { - ; - } else { - break label_6; - } - jj_consume_token(66); - name = jj_consume_token(NAME); - nl.add(new Name(name.image)); - } - {if (true) return nl;} - throw new Error("Missing return statement in function"); - } - - final public List ExpList() throws ParseException { - List el = new ArrayList(); - Exp e; - e = Exp(); - el.add(e); - label_7: - while (true) { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 66: - ; - break; - default: - jj_la1[21] = jj_gen; - break label_7; - } - jj_consume_token(66); - e = Exp(); - el.add(e); - } - {if (true) return el;} - throw new Error("Missing return statement in function"); - } - - final public Exp SimpleExp() throws ParseException { - Token n; - LuaString s; - Exp e; - TableConstructor tc; - FuncBody fb; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case NIL: - jj_consume_token(NIL); - {if (true) return Exp.constant(LuaValue.NIL);} - break; - case TRUE: - jj_consume_token(TRUE); - {if (true) return Exp.constant(LuaValue.TRUE);} - break; - case FALSE: - jj_consume_token(FALSE); - {if (true) return Exp.constant(LuaValue.FALSE);} - break; - case NUMBER: - n = jj_consume_token(NUMBER); - {if (true) return Exp.numberconstant(n.image);} - break; - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case STRING: - case CHARSTRING: - s = Str(); - {if (true) return Exp.constant(s);} - break; - case 73: - jj_consume_token(73); - {if (true) return Exp.varargs();} - break; - case 74: - tc = TableConstructor(); - {if (true) return Exp.tableconstructor(tc);} - break; - case FUNCTION: - fb = Function(); - {if (true) return Exp.anonymousfunction(fb);} - break; - case NAME: - case 69: - e = PrimaryExp(); - {if (true) return e;} - break; - default: - jj_la1[22] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public LuaString Str() throws ParseException { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case STRING: - jj_consume_token(STRING); - {if (true) return Str.quoteString(token.image);} - break; - case CHARSTRING: - jj_consume_token(CHARSTRING); - {if (true) return Str.charString(token.image);} - break; - case LONGSTRING0: - jj_consume_token(LONGSTRING0); - {if (true) return Str.longString(token.image);} - break; - case LONGSTRING1: - jj_consume_token(LONGSTRING1); - {if (true) return Str.longString(token.image);} - break; - case LONGSTRING2: - jj_consume_token(LONGSTRING2); - {if (true) return Str.longString(token.image);} - break; - case LONGSTRING3: - jj_consume_token(LONGSTRING3); - {if (true) return Str.longString(token.image);} - break; - case LONGSTRINGN: - jj_consume_token(LONGSTRINGN); - {if (true) return Str.longString(token.image);} - break; - default: - jj_la1[23] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public Exp Exp() throws ParseException { - Exp e,s; - int op; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case FALSE: - case FUNCTION: - case NIL: - case TRUE: - case NAME: - case NUMBER: - case STRING: - case CHARSTRING: - case 69: - case 73: - case 74: - e = SimpleExp(); - break; - case NOT: - case 77: - case 89: - op = Unop(); - s = Exp(); - e=Exp.unaryexp(op,s); - break; - default: - jj_la1[24] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - label_8: - while (true) { - if (jj_2_5(2)) { - ; - } else { - break label_8; - } - op = Binop(); - s = Exp(); - e=Exp.binaryexp(e,op,s); - } - {if (true) return e;} - throw new Error("Missing return statement in function"); - } - - final public FuncBody Function() throws ParseException { - FuncBody fb; - jj_consume_token(FUNCTION); - fb = FuncBody(); - {if (true) return fb;} - throw new Error("Missing return statement in function"); - } - - final public FuncBody FuncBody() throws ParseException { - ParList pl=null; - Block b; - jj_consume_token(69); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case NAME: - case 73: - pl = ParList(); - break; - default: - jj_la1[25] = jj_gen; - ; - } - jj_consume_token(70); - b = Block(); - jj_consume_token(END); - {if (true) return new FuncBody(pl,b);} - throw new Error("Missing return statement in function"); - } - - final public ParList ParList() throws ParseException { - List nl=null; - boolean v=false; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case NAME: - nl = NameList(); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 66: - jj_consume_token(66); - jj_consume_token(73); - v=true; - break; - default: - jj_la1[26] = jj_gen; - ; - } - {if (true) return new ParList(nl,v);} - break; - case 73: - jj_consume_token(73); - {if (true) return new ParList(null,true);} ; - break; - default: - jj_la1[27] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public TableConstructor TableConstructor() throws ParseException { - TableConstructor tc = new TableConstructor(); - List fl = null; - jj_consume_token(74); - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case FALSE: - case FUNCTION: - case NIL: - case NOT: - case TRUE: - case NAME: - case NUMBER: - case STRING: - case CHARSTRING: - case 69: - case 71: - case 73: - case 74: - case 77: - case 89: - fl = FieldList(); - tc.fields=fl; - break; - default: - jj_la1[28] = jj_gen; - ; - } - jj_consume_token(75); - {if (true) return tc;} - throw new Error("Missing return statement in function"); - } - - final public List FieldList() throws ParseException { - List fl = new ArrayList(); - TableField f; - f = Field(); - fl.add(f); - label_9: - while (true) { - if (jj_2_6(2)) { - ; - } else { - break label_9; - } - FieldSep(); - f = Field(); - fl.add(f); - } - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 64: - case 66: - FieldSep(); - break; - default: - jj_la1[29] = jj_gen; - ; - } - {if (true) return fl;} - throw new Error("Missing return statement in function"); - } - - final public TableField Field() throws ParseException { - Token name; - Exp exp,rhs; - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 71: - jj_consume_token(71); - exp = Exp(); - jj_consume_token(72); - jj_consume_token(65); - rhs = Exp(); - {if (true) return TableField.keyedField(exp,rhs);} - break; - default: - jj_la1[30] = jj_gen; - if (jj_2_7(2)) { - name = jj_consume_token(NAME); - jj_consume_token(65); - rhs = Exp(); - {if (true) return TableField.namedField(name.image,rhs);} - } else { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case LONGSTRING0: - case LONGSTRING1: - case LONGSTRING2: - case LONGSTRING3: - case LONGSTRINGN: - case FALSE: - case FUNCTION: - case NIL: - case NOT: - case TRUE: - case NAME: - case NUMBER: - case STRING: - case CHARSTRING: - case 69: - case 73: - case 74: - case 77: - case 89: - rhs = Exp(); - {if (true) return TableField.listField(rhs);} - break; - default: - jj_la1[31] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - } - } - throw new Error("Missing return statement in function"); - } - - final public void FieldSep() throws ParseException { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 66: - jj_consume_token(66); - break; - case 64: - jj_consume_token(64); - break; - default: - jj_la1[32] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - } - - final public int Binop() throws ParseException { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 76: - jj_consume_token(76); - {if (true) return Lua.OP_ADD;} - break; - case 77: - jj_consume_token(77); - {if (true) return Lua.OP_SUB;} - break; - case 78: - jj_consume_token(78); - {if (true) return Lua.OP_MUL;} - break; - case 79: - jj_consume_token(79); - {if (true) return Lua.OP_DIV;} - break; - case 80: - jj_consume_token(80); - {if (true) return Lua.OP_POW;} - break; - case 81: - jj_consume_token(81); - {if (true) return Lua.OP_MOD;} - break; - case 82: - jj_consume_token(82); - {if (true) return Lua.OP_CONCAT;} - break; - case 83: - jj_consume_token(83); - {if (true) return Lua.OP_LT;} - break; - case 84: - jj_consume_token(84); - {if (true) return Lua.OP_LE;} - break; - case 85: - jj_consume_token(85); - {if (true) return Lua.OP_GT;} - break; - case 86: - jj_consume_token(86); - {if (true) return Lua.OP_GE;} - break; - case 87: - jj_consume_token(87); - {if (true) return Lua.OP_EQ;} - break; - case 88: - jj_consume_token(88); - {if (true) return Lua.OP_NEQ;} - break; - case AND: - jj_consume_token(AND); - {if (true) return Lua.OP_AND;} - break; - case OR: - jj_consume_token(OR); - {if (true) return Lua.OP_OR;} - break; - default: - jj_la1[33] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - final public int Unop() throws ParseException { - switch ((jj_ntk==-1)?jj_ntk():jj_ntk) { - case 77: - jj_consume_token(77); - {if (true) return Lua.OP_UNM;} - break; - case NOT: - jj_consume_token(NOT); - {if (true) return Lua.OP_NOT;} - break; - case 89: - jj_consume_token(89); - {if (true) return Lua.OP_LEN;} - break; - default: - jj_la1[34] = jj_gen; - jj_consume_token(-1); - throw new ParseException(); - } - throw new Error("Missing return statement in function"); - } - - private boolean jj_2_1(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_1(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(0, xla); } - } - - private boolean jj_2_2(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_2(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(1, xla); } - } - - private boolean jj_2_3(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_3(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(2, xla); } - } - - private boolean jj_2_4(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_4(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(3, xla); } - } - - private boolean jj_2_5(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_5(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(4, xla); } - } - - private boolean jj_2_6(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_6(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(5, xla); } - } - - private boolean jj_2_7(int xla) { - jj_la = xla; jj_lastpos = jj_scanpos = token; - try { return !jj_3_7(); } - catch(LookaheadSuccess ls) { return true; } - finally { jj_save(6, xla); } - } - - private boolean jj_3R_54() { - if (jj_scan_token(NOT)) return true; - return false; - } - - private boolean jj_3R_53() { - if (jj_scan_token(77)) return true; - return false; - } - - private boolean jj_3R_40() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_53()) { - jj_scanpos = xsp; - if (jj_3R_54()) { - jj_scanpos = xsp; - if (jj_3R_55()) return true; - } - } - return false; - } - - private boolean jj_3R_69() { - if (jj_scan_token(LONGSTRINGN)) return true; - return false; - } - - private boolean jj_3R_68() { - if (jj_scan_token(LONGSTRING3)) return true; - return false; - } - - private boolean jj_3R_67() { - if (jj_scan_token(LONGSTRING2)) return true; - return false; - } - - private boolean jj_3R_66() { - if (jj_scan_token(LONGSTRING1)) return true; - return false; - } - - private boolean jj_3R_33() { - if (jj_scan_token(OR)) return true; - return false; - } - - private boolean jj_3R_65() { - if (jj_scan_token(LONGSTRING0)) return true; - return false; - } - - private boolean jj_3R_32() { - if (jj_scan_token(AND)) return true; - return false; - } - - private boolean jj_3R_64() { - if (jj_scan_token(CHARSTRING)) return true; - return false; - } - - private boolean jj_3R_31() { - if (jj_scan_token(88)) return true; - return false; - } - - private boolean jj_3R_63() { - if (jj_scan_token(STRING)) return true; - return false; - } - - private boolean jj_3R_58() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_63()) { - jj_scanpos = xsp; - if (jj_3R_64()) { - jj_scanpos = xsp; - if (jj_3R_65()) { - jj_scanpos = xsp; - if (jj_3R_66()) { - jj_scanpos = xsp; - if (jj_3R_67()) { - jj_scanpos = xsp; - if (jj_3R_68()) { - jj_scanpos = xsp; - if (jj_3R_69()) return true; - } - } - } - } - } - } - return false; - } - - private boolean jj_3R_30() { - if (jj_scan_token(87)) return true; - return false; - } - - private boolean jj_3R_29() { - if (jj_scan_token(86)) return true; - return false; - } - - private boolean jj_3R_28() { - if (jj_scan_token(85)) return true; - return false; - } - - private boolean jj_3R_27() { - if (jj_scan_token(84)) return true; - return false; - } - - private boolean jj_3R_26() { - if (jj_scan_token(83)) return true; - return false; - } - - private boolean jj_3R_25() { - if (jj_scan_token(82)) return true; - return false; - } - - private boolean jj_3R_52() { - if (jj_3R_60()) return true; - return false; - } - - private boolean jj_3R_24() { - if (jj_scan_token(81)) return true; - return false; - } - - private boolean jj_3R_51() { - if (jj_3R_59()) return true; - return false; - } - - private boolean jj_3R_23() { - if (jj_scan_token(80)) return true; - return false; - } - - private boolean jj_3R_50() { - if (jj_3R_57()) return true; - return false; - } - - private boolean jj_3R_22() { - if (jj_scan_token(79)) return true; - return false; - } - - private boolean jj_3R_49() { - if (jj_scan_token(73)) return true; - return false; - } - - private boolean jj_3R_21() { - if (jj_scan_token(78)) return true; - return false; - } - - private boolean jj_3R_48() { - if (jj_3R_58()) return true; - return false; - } - - private boolean jj_3_6() { - if (jj_3R_13()) return true; - if (jj_3R_14()) return true; - return false; - } - - private boolean jj_3R_20() { - if (jj_scan_token(77)) return true; - return false; - } - - private boolean jj_3R_47() { - if (jj_scan_token(NUMBER)) return true; - return false; - } - - private boolean jj_3R_19() { - if (jj_scan_token(76)) return true; - return false; - } - - private boolean jj_3R_11() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_19()) { - jj_scanpos = xsp; - if (jj_3R_20()) { - jj_scanpos = xsp; - if (jj_3R_21()) { - jj_scanpos = xsp; - if (jj_3R_22()) { - jj_scanpos = xsp; - if (jj_3R_23()) { - jj_scanpos = xsp; - if (jj_3R_24()) { - jj_scanpos = xsp; - if (jj_3R_25()) { - jj_scanpos = xsp; - if (jj_3R_26()) { - jj_scanpos = xsp; - if (jj_3R_27()) { - jj_scanpos = xsp; - if (jj_3R_28()) { - jj_scanpos = xsp; - if (jj_3R_29()) { - jj_scanpos = xsp; - if (jj_3R_30()) { - jj_scanpos = xsp; - if (jj_3R_31()) { - jj_scanpos = xsp; - if (jj_3R_32()) { - jj_scanpos = xsp; - if (jj_3R_33()) return true; - } - } - } - } - } - } - } - } - } - } - } - } - } - } - return false; - } - - private boolean jj_3R_46() { - if (jj_scan_token(FALSE)) return true; - return false; - } - - private boolean jj_3R_45() { - if (jj_scan_token(TRUE)) return true; - return false; - } - - private boolean jj_3R_44() { - if (jj_scan_token(NIL)) return true; - return false; - } - - private boolean jj_3R_39() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_44()) { - jj_scanpos = xsp; - if (jj_3R_45()) { - jj_scanpos = xsp; - if (jj_3R_46()) { - jj_scanpos = xsp; - if (jj_3R_47()) { - jj_scanpos = xsp; - if (jj_3R_48()) { - jj_scanpos = xsp; - if (jj_3R_49()) { - jj_scanpos = xsp; - if (jj_3R_50()) { - jj_scanpos = xsp; - if (jj_3R_51()) { - jj_scanpos = xsp; - if (jj_3R_52()) return true; - } - } - } - } - } - } - } - } - return false; - } - - private boolean jj_3R_13() { - Token xsp; - xsp = jj_scanpos; - if (jj_scan_token(66)) { - jj_scanpos = xsp; - if (jj_scan_token(64)) return true; - } - return false; - } - - private boolean jj_3R_37() { - if (jj_3R_12()) return true; - return false; - } - - private boolean jj_3_7() { - if (jj_scan_token(NAME)) return true; - if (jj_scan_token(65)) return true; - return false; - } - - private boolean jj_3R_14() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_36()) { - jj_scanpos = xsp; - if (jj_3_7()) { - jj_scanpos = xsp; - if (jj_3R_37()) return true; - } - } - return false; - } - - private boolean jj_3R_36() { - if (jj_scan_token(71)) return true; - return false; - } - - private boolean jj_3R_61() { - if (jj_3R_12()) return true; - return false; - } - - private boolean jj_3R_71() { - if (jj_3R_14()) return true; - return false; - } - - private boolean jj_3R_62() { - if (jj_3R_71()) return true; - return false; - } - - private boolean jj_3R_56() { - if (jj_3R_61()) return true; - return false; - } - - private boolean jj_3R_57() { - if (jj_scan_token(74)) return true; - Token xsp; - xsp = jj_scanpos; - if (jj_3R_62()) jj_scanpos = xsp; - if (jj_scan_token(75)) return true; - return false; - } - - private boolean jj_3R_43() { - if (jj_3R_58()) return true; - return false; - } - - private boolean jj_3R_42() { - if (jj_3R_57()) return true; - return false; - } - - private boolean jj_3R_41() { - if (jj_scan_token(69)) return true; - Token xsp; - xsp = jj_scanpos; - if (jj_3R_56()) jj_scanpos = xsp; - if (jj_scan_token(70)) return true; - return false; - } - - private boolean jj_3R_38() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_41()) { - jj_scanpos = xsp; - if (jj_3R_42()) { - jj_scanpos = xsp; - if (jj_3R_43()) return true; - } - } - return false; - } - - private boolean jj_3_3() { - if (jj_3R_10()) return true; - return false; - } - - private boolean jj_3R_18() { - if (jj_3R_38()) return true; - return false; - } - - private boolean jj_3R_17() { - if (jj_scan_token(68)) return true; - if (jj_scan_token(NAME)) return true; - return false; - } - - private boolean jj_3R_16() { - if (jj_scan_token(71)) return true; - if (jj_3R_12()) return true; - return false; - } - - private boolean jj_3R_15() { - if (jj_scan_token(67)) return true; - if (jj_scan_token(NAME)) return true; - return false; - } - - private boolean jj_3R_10() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_15()) { - jj_scanpos = xsp; - if (jj_3R_16()) { - jj_scanpos = xsp; - if (jj_3R_17()) { - jj_scanpos = xsp; - if (jj_3R_18()) return true; - } - } - } - return false; - } - - private boolean jj_3R_35() { - if (jj_3R_40()) return true; - return false; - } - - private boolean jj_3_2() { - if (jj_scan_token(LOCAL)) return true; - if (jj_scan_token(FUNCTION)) return true; - return false; - } - - private boolean jj_3_1() { - if (jj_scan_token(FOR)) return true; - if (jj_scan_token(NAME)) return true; - if (jj_scan_token(65)) return true; - return false; - } - - private boolean jj_3R_60() { - if (jj_3R_70()) return true; - return false; - } - - private boolean jj_3_5() { - if (jj_3R_11()) return true; - if (jj_3R_12()) return true; - return false; - } - - private boolean jj_3R_59() { - if (jj_scan_token(FUNCTION)) return true; - return false; - } - - private boolean jj_3R_73() { - if (jj_scan_token(69)) return true; - return false; - } - - private boolean jj_3R_72() { - if (jj_scan_token(NAME)) return true; - return false; - } - - private boolean jj_3R_70() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_72()) { - jj_scanpos = xsp; - if (jj_3R_73()) return true; - } - return false; - } - - private boolean jj_3R_34() { - if (jj_3R_39()) return true; - return false; - } - - private boolean jj_3R_12() { - Token xsp; - xsp = jj_scanpos; - if (jj_3R_34()) { - jj_scanpos = xsp; - if (jj_3R_35()) return true; - } - return false; - } - - private boolean jj_3R_55() { - if (jj_scan_token(89)) return true; - return false; - } - - private boolean jj_3_4() { - if (jj_scan_token(66)) return true; - if (jj_scan_token(NAME)) return true; - return false; - } - - /** Generated Token Manager. */ - public LuaParserTokenManager token_source; - SimpleCharStream jj_input_stream; - /** Current token. */ - public Token token; - /** Next token. */ - public Token jj_nt; - private int jj_ntk; - private Token jj_scanpos, jj_lastpos; - private int jj_la; - private int jj_gen; - final private int[] jj_la1 = new int[35]; - static private int[] jj_la1_0; - static private int[] jj_la1_1; - static private int[] jj_la1_2; - static { - jj_la1_init_0(); - jj_la1_init_1(); - jj_la1_init_2(); - } - private static void jj_la1_init_0() { - jj_la1_0 = new int[] {0x80000000,0x0,0x0,0x40000000,0x0,0x0,0x80000000,0x0,0x0,0x0,0x0,0xf800000,0x40000000,0x0,0x0,0x0,0x0,0x0,0xf800000,0xf800000,0xf800000,0x0,0xf800000,0xf800000,0xf800000,0x0,0x0,0x0,0xf800000,0x0,0x0,0xf800000,0x0,0x20000000,0x0,}; - } - private static void jj_la1_init_1() { - jj_la1_1 = new int[] {0x62170,0x0,0x0,0x1000,0x0,0x0,0x22040,0x30,0x40100,0x2,0x1,0x60c8628,0x1000,0x0,0x0,0x0,0x0,0x40000,0x6000000,0x60c8628,0x6000000,0x0,0x60c8228,0x6000000,0x60c8628,0x40000,0x0,0x40000,0x60c8628,0x0,0x0,0x60c8628,0x0,0x800,0x400,}; - } - private static void jj_la1_init_2() { - jj_la1_2 = new int[] {0x20,0x1,0x1,0x0,0x4,0x2,0x0,0x0,0x20,0x0,0x0,0x2002620,0x0,0x6,0x4,0x8,0x10,0x20,0x4b8,0x2002620,0x420,0x4,0x620,0x0,0x2002620,0x200,0x4,0x200,0x20026a0,0x5,0x80,0x2002620,0x5,0x1fff000,0x2002000,}; - } - final private JJCalls[] jj_2_rtns = new JJCalls[7]; - private boolean jj_rescan = false; - private int jj_gc = 0; - - /** Constructor with InputStream. */ - public LuaParser(java.io.InputStream stream) { - this(stream, null); - } - /** Constructor with InputStream and supplied encoding */ - public LuaParser(java.io.InputStream stream, String encoding) { - try { jj_input_stream = new SimpleCharStream(stream, encoding, 1, 1); } catch(java.io.UnsupportedEncodingException e) { throw new RuntimeException(e.getMessage()); } - token_source = new LuaParserTokenManager(jj_input_stream); - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - /** Reinitialise. */ - public void ReInit(java.io.InputStream stream) { - ReInit(stream, null); - } - /** Reinitialise. */ - public void ReInit(java.io.InputStream stream, String encoding) { - try { jj_input_stream.ReInit(stream, encoding, 1, 1); } catch(java.io.UnsupportedEncodingException e) { throw new RuntimeException(e.getMessage()); } - token_source.ReInit(jj_input_stream); - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - /** Constructor. */ - public LuaParser(java.io.Reader stream) { - jj_input_stream = new SimpleCharStream(stream, 1, 1); - token_source = new LuaParserTokenManager(jj_input_stream); - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - /** Reinitialise. */ - public void ReInit(java.io.Reader stream) { - jj_input_stream.ReInit(stream, 1, 1); - token_source.ReInit(jj_input_stream); - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - /** Constructor with generated Token Manager. */ - public LuaParser(LuaParserTokenManager tm) { - token_source = tm; - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - /** Reinitialise. */ - public void ReInit(LuaParserTokenManager tm) { - token_source = tm; - token = new Token(); - jj_ntk = -1; - jj_gen = 0; - for (int i = 0; i < 35; i++) jj_la1[i] = -1; - for (int i = 0; i < jj_2_rtns.length; i++) jj_2_rtns[i] = new JJCalls(); - } - - private Token jj_consume_token(int kind) throws ParseException { - Token oldToken; - if ((oldToken = token).next != null) token = token.next; - else token = token.next = token_source.getNextToken(); - jj_ntk = -1; - if (token.kind == kind) { - jj_gen++; - if (++jj_gc > 100) { - jj_gc = 0; - for (int i = 0; i < jj_2_rtns.length; i++) { - JJCalls c = jj_2_rtns[i]; - while (c != null) { - if (c.gen < jj_gen) c.first = null; - c = c.next; - } - } - } - return token; - } - token = oldToken; - jj_kind = kind; - throw generateParseException(); - } - - static private final class LookaheadSuccess extends java.lang.Error { } - final private LookaheadSuccess jj_ls = new LookaheadSuccess(); - private boolean jj_scan_token(int kind) { - if (jj_scanpos == jj_lastpos) { - jj_la--; - if (jj_scanpos.next == null) { - jj_lastpos = jj_scanpos = jj_scanpos.next = token_source.getNextToken(); - } else { - jj_lastpos = jj_scanpos = jj_scanpos.next; - } - } else { - jj_scanpos = jj_scanpos.next; - } - if (jj_rescan) { - int i = 0; Token tok = token; - while (tok != null && tok != jj_scanpos) { i++; tok = tok.next; } - if (tok != null) jj_add_error_token(kind, i); - } - if (jj_scanpos.kind != kind) return true; - if (jj_la == 0 && jj_scanpos == jj_lastpos) throw jj_ls; - return false; - } - - -/** Get the next Token. */ - final public Token getNextToken() { - if (token.next != null) token = token.next; - else token = token.next = token_source.getNextToken(); - jj_ntk = -1; - jj_gen++; - return token; - } - -/** Get the specific Token. */ - final public Token getToken(int index) { - Token t = token; - for (int i = 0; i < index; i++) { - if (t.next != null) t = t.next; - else t = t.next = token_source.getNextToken(); - } - return t; - } - - private int jj_ntk() { - if ((jj_nt=token.next) == null) - return (jj_ntk = (token.next=token_source.getNextToken()).kind); - else - return (jj_ntk = jj_nt.kind); - } - - private java.util.List jj_expentries = new java.util.ArrayList(); - private int[] jj_expentry; - private int jj_kind = -1; - private int[] jj_lasttokens = new int[100]; - private int jj_endpos; - - private void jj_add_error_token(int kind, int pos) { - if (pos >= 100) return; - if (pos == jj_endpos + 1) { - jj_lasttokens[jj_endpos++] = kind; - } else if (jj_endpos != 0) { - jj_expentry = new int[jj_endpos]; - for (int i = 0; i < jj_endpos; i++) { - jj_expentry[i] = jj_lasttokens[i]; - } - jj_entries_loop: for (java.util.Iterator it = jj_expentries.iterator(); it.hasNext();) { - int[] oldentry = (int[])(it.next()); - if (oldentry.length == jj_expentry.length) { - for (int i = 0; i < jj_expentry.length; i++) { - if (oldentry[i] != jj_expentry[i]) { - continue jj_entries_loop; - } - } - jj_expentries.add(jj_expentry); - break jj_entries_loop; - } - } - if (pos != 0) jj_lasttokens[(jj_endpos = pos) - 1] = kind; - } - } - - /** Generate ParseException. */ - public ParseException generateParseException() { - jj_expentries.clear(); - boolean[] la1tokens = new boolean[90]; - if (jj_kind >= 0) { - la1tokens[jj_kind] = true; - jj_kind = -1; - } - for (int i = 0; i < 35; i++) { - if (jj_la1[i] == jj_gen) { - for (int j = 0; j < 32; j++) { - if ((jj_la1_0[i] & (1< jj_gen) { - jj_la = p.arg; jj_lastpos = jj_scanpos = p.first; - switch (i) { - case 0: jj_3_1(); break; - case 1: jj_3_2(); break; - case 2: jj_3_3(); break; - case 3: jj_3_4(); break; - case 4: jj_3_5(); break; - case 5: jj_3_6(); break; - case 6: jj_3_7(); break; - } - } - p = p.next; - } while (p != null); - } catch(LookaheadSuccess ls) { } - } - jj_rescan = false; - } - - private void jj_save(int index, int xla) { - JJCalls p = jj_2_rtns[index]; - while (p.gen > jj_gen) { - if (p.next == null) { p = p.next = new JJCalls(); break; } - p = p.next; - } - p.gen = jj_gen + xla - jj_la; p.first = token; p.arg = xla; - } - - static final class JJCalls { - int gen; - Token first; - int arg; - JJCalls next; - } - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserConstants.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserConstants.java deleted file mode 100644 index 05405af76..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserConstants.java +++ /dev/null @@ -1,225 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. LuaParserConstants.java */ -package org.luaj.vm2.parser; - - -/** - * Token literal values and constants. - * Generated by org.javacc.parser.OtherFilesGen#start() - */ -public interface LuaParserConstants { - - /** End of File. */ - int EOF = 0; - /** RegularExpression Id. */ - int COMMENT = 17; - /** RegularExpression Id. */ - int LONGCOMMENT0 = 18; - /** RegularExpression Id. */ - int LONGCOMMENT1 = 19; - /** RegularExpression Id. */ - int LONGCOMMENT2 = 20; - /** RegularExpression Id. */ - int LONGCOMMENT3 = 21; - /** RegularExpression Id. */ - int LONGCOMMENTN = 22; - /** RegularExpression Id. */ - int LONGSTRING0 = 23; - /** RegularExpression Id. */ - int LONGSTRING1 = 24; - /** RegularExpression Id. */ - int LONGSTRING2 = 25; - /** RegularExpression Id. */ - int LONGSTRING3 = 26; - /** RegularExpression Id. */ - int LONGSTRINGN = 27; - /** RegularExpression Id. */ - int AND = 29; - /** RegularExpression Id. */ - int BREAK = 30; - /** RegularExpression Id. */ - int DO = 31; - /** RegularExpression Id. */ - int ELSE = 32; - /** RegularExpression Id. */ - int ELSEIF = 33; - /** RegularExpression Id. */ - int END = 34; - /** RegularExpression Id. */ - int FALSE = 35; - /** RegularExpression Id. */ - int FOR = 36; - /** RegularExpression Id. */ - int FUNCTION = 37; - /** RegularExpression Id. */ - int IF = 38; - /** RegularExpression Id. */ - int IN = 39; - /** RegularExpression Id. */ - int LOCAL = 40; - /** RegularExpression Id. */ - int NIL = 41; - /** RegularExpression Id. */ - int NOT = 42; - /** RegularExpression Id. */ - int OR = 43; - /** RegularExpression Id. */ - int RETURN = 44; - /** RegularExpression Id. */ - int REPEAT = 45; - /** RegularExpression Id. */ - int THEN = 46; - /** RegularExpression Id. */ - int TRUE = 47; - /** RegularExpression Id. */ - int UNTIL = 48; - /** RegularExpression Id. */ - int WHILE = 49; - /** RegularExpression Id. */ - int NAME = 50; - /** RegularExpression Id. */ - int NUMBER = 51; - /** RegularExpression Id. */ - int FLOAT = 52; - /** RegularExpression Id. */ - int DIGIT = 53; - /** RegularExpression Id. */ - int EXP = 54; - /** RegularExpression Id. */ - int HEX = 55; - /** RegularExpression Id. */ - int HEXDIGIT = 56; - /** RegularExpression Id. */ - int STRING = 57; - /** RegularExpression Id. */ - int CHARSTRING = 58; - /** RegularExpression Id. */ - int QUOTED = 59; - /** RegularExpression Id. */ - int DECIMAL = 60; - /** RegularExpression Id. */ - int UNICODE = 61; - /** RegularExpression Id. */ - int CHAR = 62; - /** RegularExpression Id. */ - int LF = 63; - - /** Lexical state. */ - int DEFAULT = 0; - /** Lexical state. */ - int IN_COMMENT = 1; - /** Lexical state. */ - int IN_LC0 = 2; - /** Lexical state. */ - int IN_LC1 = 3; - /** Lexical state. */ - int IN_LC2 = 4; - /** Lexical state. */ - int IN_LC3 = 5; - /** Lexical state. */ - int IN_LCN = 6; - /** Lexical state. */ - int IN_LS0 = 7; - /** Lexical state. */ - int IN_LS1 = 8; - /** Lexical state. */ - int IN_LS2 = 9; - /** Lexical state. */ - int IN_LS3 = 10; - /** Lexical state. */ - int IN_LSN = 11; - - /** Literal token values. */ - String[] tokenImage = { - "", - "\" \"", - "\"\\t\"", - "\"\\n\"", - "\"\\r\"", - "\"\\f\"", - "\"--[[\"", - "\"--[=[\"", - "\"--[==[\"", - "\"--[===[\"", - "", - "\"[[\"", - "\"[=[\"", - "\"[==[\"", - "\"[===[\"", - "", - "\"--\"", - "", - "\"]]\"", - "\"]=]\"", - "\"]==]\"", - "\"]===]\"", - "", - "\"]]\"", - "\"]=]\"", - "\"]==]\"", - "\"]===]\"", - "", - "", - "\"and\"", - "\"break\"", - "\"do\"", - "\"else\"", - "\"elseif\"", - "\"end\"", - "\"false\"", - "\"for\"", - "\"function\"", - "\"if\"", - "\"in\"", - "\"local\"", - "\"nil\"", - "\"not\"", - "\"or\"", - "\"return\"", - "\"repeat\"", - "\"then\"", - "\"true\"", - "\"until\"", - "\"while\"", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "", - "\";\"", - "\"=\"", - "\",\"", - "\".\"", - "\":\"", - "\"(\"", - "\")\"", - "\"[\"", - "\"]\"", - "\"...\"", - "\"{\"", - "\"}\"", - "\"+\"", - "\"-\"", - "\"*\"", - "\"/\"", - "\"^\"", - "\"%\"", - "\"..\"", - "\"<\"", - "\"<=\"", - "\">\"", - "\">=\"", - "\"==\"", - "\"~=\"", - "\"#\"", - }; - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserTokenManager.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserTokenManager.java deleted file mode 100644 index 153798288..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/LuaParserTokenManager.java +++ /dev/null @@ -1,2045 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. LuaParserTokenManager.java */ -package org.luaj.vm2.parser; -import org.luaj.vm2.*; -import org.luaj.vm2.ast.*; -import java.util.*; - -/** Token Manager. */ -public class LuaParserTokenManager implements LuaParserConstants -{ - - /** Debug output. */ - public java.io.PrintStream debugStream = System.out; - /** Set debug output. */ - public void setDebugStream(java.io.PrintStream ds) { debugStream = ds; } -private int jjStopAtPos(int pos, int kind) -{ - jjmatchedKind = kind; - jjmatchedPos = pos; - return pos + 1; -} -private int jjMoveStringLiteralDfa0_2() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_2(0x40000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_2(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 93: - if ((active0 & 0x40000L) != 0L) - return jjStopAtPos(1, 18); - break; - default : - return 2; - } - return 2; -} -private int jjMoveStringLiteralDfa0_11() -{ - return jjMoveNfa_11(6, 0); -} -private int jjMoveNfa_11(int startState, int curPos) -{ - int startsAt = 0; - jjnewStateCnt = 7; - int i = 1; - jjstateSet[0] = startState; - int kind = 0x7fffffff; - for (;;) - { - if (++jjround == 0x7fffffff) - ReInitRounds(); - if (curChar < 64) - { - long l = 1L << curChar; - do - { - switch(jjstateSet[--i]) - { - case 0: - case 1: - if (curChar == 61) - jjCheckNAddTwoStates(1, 2); - break; - case 3: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 0; - break; - case 4: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 3; - break; - case 5: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 4; - break; - default : break; - } - } while(i != startsAt); - } - else if (curChar < 128) - { - long l = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 2: - if (curChar == 93 && kind > 27) - kind = 27; - break; - case 6: - if (curChar == 93) - jjstateSet[jjnewStateCnt++] = 5; - break; - default : break; - } - } while(i != startsAt); - } - else - { - int hiByte = (int)(curChar >> 8); - int i1 = hiByte >> 6; - long l1 = 1L << (hiByte & 077); - int i2 = (curChar & 0xff) >> 6; - long l2 = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - default : break; - } - } while(i != startsAt); - } - if (kind != 0x7fffffff) - { - jjmatchedKind = kind; - jjmatchedPos = curPos; - kind = 0x7fffffff; - } - ++curPos; - if ((i = jjnewStateCnt) == (startsAt = 7 - (jjnewStateCnt = startsAt))) - return curPos; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { return curPos; } - } -} -private int jjMoveStringLiteralDfa0_10() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_10(0x4000000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_10(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_10(active0, 0x4000000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_10(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa3_10(active0, 0x4000000L); - default : - return 3; - } -} -private int jjMoveStringLiteralDfa3_10(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 3; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 3; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa4_10(active0, 0x4000000L); - default : - return 4; - } -} -private int jjMoveStringLiteralDfa4_10(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 4; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 4; - } - switch(curChar) - { - case 93: - if ((active0 & 0x4000000L) != 0L) - return jjStopAtPos(4, 26); - break; - default : - return 5; - } - return 5; -} -private int jjMoveStringLiteralDfa0_9() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_9(0x2000000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_9(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_9(active0, 0x2000000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_9(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa3_9(active0, 0x2000000L); - default : - return 3; - } -} -private int jjMoveStringLiteralDfa3_9(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 3; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 3; - } - switch(curChar) - { - case 93: - if ((active0 & 0x2000000L) != 0L) - return jjStopAtPos(3, 25); - break; - default : - return 4; - } - return 4; -} -private int jjMoveStringLiteralDfa0_8() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_8(0x1000000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_8(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_8(active0, 0x1000000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_8(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 93: - if ((active0 & 0x1000000L) != 0L) - return jjStopAtPos(2, 24); - break; - default : - return 3; - } - return 3; -} -private int jjMoveStringLiteralDfa0_7() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_7(0x800000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_7(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 93: - if ((active0 & 0x800000L) != 0L) - return jjStopAtPos(1, 23); - break; - default : - return 2; - } - return 2; -} -private final int jjStopStringLiteralDfa_0(int pos, long active0, long active1) -{ - switch (pos) - { - case 0: - if ((active1 & 0x40208L) != 0L) - return 22; - if ((active0 & 0x7800L) != 0L || (active1 & 0x80L) != 0L) - return 14; - if ((active0 & 0x3ffffe0000000L) != 0L) - { - jjmatchedKind = 50; - return 17; - } - if ((active0 & 0x103c0L) != 0L || (active1 & 0x2000L) != 0L) - return 7; - return -1; - case 1: - if ((active0 & 0x103c0L) != 0L) - return 6; - if ((active0 & 0x7000L) != 0L) - return 13; - if ((active0 & 0x8c080000000L) != 0L) - return 17; - if ((active0 & 0x3f73f60000000L) != 0L) - { - if (jjmatchedPos != 1) - { - jjmatchedKind = 50; - jjmatchedPos = 1; - } - return 17; - } - return -1; - case 2: - if ((active0 & 0x3f12b40000000L) != 0L) - { - jjmatchedKind = 50; - jjmatchedPos = 2; - return 17; - } - if ((active0 & 0x6000L) != 0L) - return 12; - if ((active0 & 0x3c0L) != 0L) - return 5; - if ((active0 & 0x61420000000L) != 0L) - return 17; - return -1; - case 3: - if ((active0 & 0x380L) != 0L) - return 4; - if ((active0 & 0x3312840000000L) != 0L) - { - if (jjmatchedPos != 3) - { - jjmatchedKind = 50; - jjmatchedPos = 3; - } - return 17; - } - if ((active0 & 0xc00300000000L) != 0L) - return 17; - if ((active0 & 0x4000L) != 0L) - return 9; - return -1; - case 4: - if ((active0 & 0x300L) != 0L) - return 3; - if ((active0 & 0x302200000000L) != 0L) - { - jjmatchedKind = 50; - jjmatchedPos = 4; - return 17; - } - if ((active0 & 0x3010840000000L) != 0L) - return 17; - return -1; - case 5: - if ((active0 & 0x200L) != 0L) - return 0; - if ((active0 & 0x2000000000L) != 0L) - { - jjmatchedKind = 50; - jjmatchedPos = 5; - return 17; - } - if ((active0 & 0x300200000000L) != 0L) - return 17; - return -1; - case 6: - if ((active0 & 0x2000000000L) != 0L) - { - jjmatchedKind = 50; - jjmatchedPos = 6; - return 17; - } - return -1; - default : - return -1; - } -} -private final int jjStartNfa_0(int pos, long active0, long active1) -{ - return jjMoveNfa_0(jjStopStringLiteralDfa_0(pos, active0, active1), pos + 1); -} -private int jjMoveStringLiteralDfa0_0() -{ - switch(curChar) - { - case 35: - return jjStopAtPos(0, 89); - case 37: - return jjStopAtPos(0, 81); - case 40: - return jjStopAtPos(0, 69); - case 41: - return jjStopAtPos(0, 70); - case 42: - return jjStopAtPos(0, 78); - case 43: - return jjStopAtPos(0, 76); - case 44: - return jjStopAtPos(0, 66); - case 45: - jjmatchedKind = 77; - return jjMoveStringLiteralDfa1_0(0x103c0L, 0x0L); - case 46: - jjmatchedKind = 67; - return jjMoveStringLiteralDfa1_0(0x0L, 0x40200L); - case 47: - return jjStopAtPos(0, 79); - case 58: - return jjStopAtPos(0, 68); - case 59: - return jjStopAtPos(0, 64); - case 60: - jjmatchedKind = 83; - return jjMoveStringLiteralDfa1_0(0x0L, 0x100000L); - case 61: - jjmatchedKind = 65; - return jjMoveStringLiteralDfa1_0(0x0L, 0x800000L); - case 62: - jjmatchedKind = 85; - return jjMoveStringLiteralDfa1_0(0x0L, 0x400000L); - case 91: - jjmatchedKind = 71; - return jjMoveStringLiteralDfa1_0(0x7800L, 0x0L); - case 93: - return jjStopAtPos(0, 72); - case 94: - return jjStopAtPos(0, 80); - case 97: - return jjMoveStringLiteralDfa1_0(0x20000000L, 0x0L); - case 98: - return jjMoveStringLiteralDfa1_0(0x40000000L, 0x0L); - case 100: - return jjMoveStringLiteralDfa1_0(0x80000000L, 0x0L); - case 101: - return jjMoveStringLiteralDfa1_0(0x700000000L, 0x0L); - case 102: - return jjMoveStringLiteralDfa1_0(0x3800000000L, 0x0L); - case 105: - return jjMoveStringLiteralDfa1_0(0xc000000000L, 0x0L); - case 108: - return jjMoveStringLiteralDfa1_0(0x10000000000L, 0x0L); - case 110: - return jjMoveStringLiteralDfa1_0(0x60000000000L, 0x0L); - case 111: - return jjMoveStringLiteralDfa1_0(0x80000000000L, 0x0L); - case 114: - return jjMoveStringLiteralDfa1_0(0x300000000000L, 0x0L); - case 116: - return jjMoveStringLiteralDfa1_0(0xc00000000000L, 0x0L); - case 117: - return jjMoveStringLiteralDfa1_0(0x1000000000000L, 0x0L); - case 119: - return jjMoveStringLiteralDfa1_0(0x2000000000000L, 0x0L); - case 123: - return jjStopAtPos(0, 74); - case 125: - return jjStopAtPos(0, 75); - case 126: - return jjMoveStringLiteralDfa1_0(0x0L, 0x1000000L); - default : - return jjMoveNfa_0(8, 0); - } -} -private int jjMoveStringLiteralDfa1_0(long active0, long active1) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(0, active0, active1); - return 1; - } - switch(curChar) - { - case 45: - if ((active0 & 0x10000L) != 0L) - { - jjmatchedKind = 16; - jjmatchedPos = 1; - } - return jjMoveStringLiteralDfa2_0(active0, 0x3c0L, active1, 0L); - case 46: - if ((active1 & 0x40000L) != 0L) - { - jjmatchedKind = 82; - jjmatchedPos = 1; - } - return jjMoveStringLiteralDfa2_0(active0, 0L, active1, 0x200L); - case 61: - if ((active1 & 0x100000L) != 0L) - return jjStopAtPos(1, 84); - else if ((active1 & 0x400000L) != 0L) - return jjStopAtPos(1, 86); - else if ((active1 & 0x800000L) != 0L) - return jjStopAtPos(1, 87); - else if ((active1 & 0x1000000L) != 0L) - return jjStopAtPos(1, 88); - return jjMoveStringLiteralDfa2_0(active0, 0x7000L, active1, 0L); - case 91: - if ((active0 & 0x800L) != 0L) - return jjStopAtPos(1, 11); - break; - case 97: - return jjMoveStringLiteralDfa2_0(active0, 0x800000000L, active1, 0L); - case 101: - return jjMoveStringLiteralDfa2_0(active0, 0x300000000000L, active1, 0L); - case 102: - if ((active0 & 0x4000000000L) != 0L) - return jjStartNfaWithStates_0(1, 38, 17); - break; - case 104: - return jjMoveStringLiteralDfa2_0(active0, 0x2400000000000L, active1, 0L); - case 105: - return jjMoveStringLiteralDfa2_0(active0, 0x20000000000L, active1, 0L); - case 108: - return jjMoveStringLiteralDfa2_0(active0, 0x300000000L, active1, 0L); - case 110: - if ((active0 & 0x8000000000L) != 0L) - return jjStartNfaWithStates_0(1, 39, 17); - return jjMoveStringLiteralDfa2_0(active0, 0x1000420000000L, active1, 0L); - case 111: - if ((active0 & 0x80000000L) != 0L) - return jjStartNfaWithStates_0(1, 31, 17); - return jjMoveStringLiteralDfa2_0(active0, 0x51000000000L, active1, 0L); - case 114: - if ((active0 & 0x80000000000L) != 0L) - return jjStartNfaWithStates_0(1, 43, 17); - return jjMoveStringLiteralDfa2_0(active0, 0x800040000000L, active1, 0L); - case 117: - return jjMoveStringLiteralDfa2_0(active0, 0x2000000000L, active1, 0L); - default : - break; - } - return jjStartNfa_0(0, active0, active1); -} -private int jjMoveStringLiteralDfa2_0(long old0, long active0, long old1, long active1) -{ - if (((active0 &= old0) | (active1 &= old1)) == 0L) - return jjStartNfa_0(0, old0, old1); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(1, active0, active1); - return 2; - } - switch(curChar) - { - case 46: - if ((active1 & 0x200L) != 0L) - return jjStopAtPos(2, 73); - break; - case 61: - return jjMoveStringLiteralDfa3_0(active0, 0x6000L, active1, 0L); - case 91: - if ((active0 & 0x1000L) != 0L) - return jjStopAtPos(2, 12); - return jjMoveStringLiteralDfa3_0(active0, 0x3c0L, active1, 0L); - case 99: - return jjMoveStringLiteralDfa3_0(active0, 0x10000000000L, active1, 0L); - case 100: - if ((active0 & 0x20000000L) != 0L) - return jjStartNfaWithStates_0(2, 29, 17); - else if ((active0 & 0x400000000L) != 0L) - return jjStartNfaWithStates_0(2, 34, 17); - break; - case 101: - return jjMoveStringLiteralDfa3_0(active0, 0x400040000000L, active1, 0L); - case 105: - return jjMoveStringLiteralDfa3_0(active0, 0x2000000000000L, active1, 0L); - case 108: - if ((active0 & 0x20000000000L) != 0L) - return jjStartNfaWithStates_0(2, 41, 17); - return jjMoveStringLiteralDfa3_0(active0, 0x800000000L, active1, 0L); - case 110: - return jjMoveStringLiteralDfa3_0(active0, 0x2000000000L, active1, 0L); - case 112: - return jjMoveStringLiteralDfa3_0(active0, 0x200000000000L, active1, 0L); - case 114: - if ((active0 & 0x1000000000L) != 0L) - return jjStartNfaWithStates_0(2, 36, 17); - break; - case 115: - return jjMoveStringLiteralDfa3_0(active0, 0x300000000L, active1, 0L); - case 116: - if ((active0 & 0x40000000000L) != 0L) - return jjStartNfaWithStates_0(2, 42, 17); - return jjMoveStringLiteralDfa3_0(active0, 0x1100000000000L, active1, 0L); - case 117: - return jjMoveStringLiteralDfa3_0(active0, 0x800000000000L, active1, 0L); - default : - break; - } - return jjStartNfa_0(1, active0, active1); -} -private int jjMoveStringLiteralDfa3_0(long old0, long active0, long old1, long active1) -{ - if (((active0 &= old0) | (active1 &= old1)) == 0L) - return jjStartNfa_0(1, old0, old1); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(2, active0, 0L); - return 3; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa4_0(active0, 0x4380L); - case 91: - if ((active0 & 0x40L) != 0L) - return jjStopAtPos(3, 6); - else if ((active0 & 0x2000L) != 0L) - return jjStopAtPos(3, 13); - break; - case 97: - return jjMoveStringLiteralDfa4_0(active0, 0x10040000000L); - case 99: - return jjMoveStringLiteralDfa4_0(active0, 0x2000000000L); - case 101: - if ((active0 & 0x100000000L) != 0L) - { - jjmatchedKind = 32; - jjmatchedPos = 3; - } - else if ((active0 & 0x800000000000L) != 0L) - return jjStartNfaWithStates_0(3, 47, 17); - return jjMoveStringLiteralDfa4_0(active0, 0x200200000000L); - case 105: - return jjMoveStringLiteralDfa4_0(active0, 0x1000000000000L); - case 108: - return jjMoveStringLiteralDfa4_0(active0, 0x2000000000000L); - case 110: - if ((active0 & 0x400000000000L) != 0L) - return jjStartNfaWithStates_0(3, 46, 17); - break; - case 115: - return jjMoveStringLiteralDfa4_0(active0, 0x800000000L); - case 117: - return jjMoveStringLiteralDfa4_0(active0, 0x100000000000L); - default : - break; - } - return jjStartNfa_0(2, active0, 0L); -} -private int jjMoveStringLiteralDfa4_0(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return jjStartNfa_0(2, old0, 0L); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(3, active0, 0L); - return 4; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa5_0(active0, 0x300L); - case 91: - if ((active0 & 0x80L) != 0L) - return jjStopAtPos(4, 7); - else if ((active0 & 0x4000L) != 0L) - return jjStopAtPos(4, 14); - break; - case 97: - return jjMoveStringLiteralDfa5_0(active0, 0x200000000000L); - case 101: - if ((active0 & 0x800000000L) != 0L) - return jjStartNfaWithStates_0(4, 35, 17); - else if ((active0 & 0x2000000000000L) != 0L) - return jjStartNfaWithStates_0(4, 49, 17); - break; - case 105: - return jjMoveStringLiteralDfa5_0(active0, 0x200000000L); - case 107: - if ((active0 & 0x40000000L) != 0L) - return jjStartNfaWithStates_0(4, 30, 17); - break; - case 108: - if ((active0 & 0x10000000000L) != 0L) - return jjStartNfaWithStates_0(4, 40, 17); - else if ((active0 & 0x1000000000000L) != 0L) - return jjStartNfaWithStates_0(4, 48, 17); - break; - case 114: - return jjMoveStringLiteralDfa5_0(active0, 0x100000000000L); - case 116: - return jjMoveStringLiteralDfa5_0(active0, 0x2000000000L); - default : - break; - } - return jjStartNfa_0(3, active0, 0L); -} -private int jjMoveStringLiteralDfa5_0(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return jjStartNfa_0(3, old0, 0L); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(4, active0, 0L); - return 5; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa6_0(active0, 0x200L); - case 91: - if ((active0 & 0x100L) != 0L) - return jjStopAtPos(5, 8); - break; - case 102: - if ((active0 & 0x200000000L) != 0L) - return jjStartNfaWithStates_0(5, 33, 17); - break; - case 105: - return jjMoveStringLiteralDfa6_0(active0, 0x2000000000L); - case 110: - if ((active0 & 0x100000000000L) != 0L) - return jjStartNfaWithStates_0(5, 44, 17); - break; - case 116: - if ((active0 & 0x200000000000L) != 0L) - return jjStartNfaWithStates_0(5, 45, 17); - break; - default : - break; - } - return jjStartNfa_0(4, active0, 0L); -} -private int jjMoveStringLiteralDfa6_0(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return jjStartNfa_0(4, old0, 0L); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(5, active0, 0L); - return 6; - } - switch(curChar) - { - case 91: - if ((active0 & 0x200L) != 0L) - return jjStopAtPos(6, 9); - break; - case 111: - return jjMoveStringLiteralDfa7_0(active0, 0x2000000000L); - default : - break; - } - return jjStartNfa_0(5, active0, 0L); -} -private int jjMoveStringLiteralDfa7_0(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return jjStartNfa_0(5, old0, 0L); - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - jjStopStringLiteralDfa_0(6, active0, 0L); - return 7; - } - switch(curChar) - { - case 110: - if ((active0 & 0x2000000000L) != 0L) - return jjStartNfaWithStates_0(7, 37, 17); - break; - default : - break; - } - return jjStartNfa_0(6, active0, 0L); -} -private int jjStartNfaWithStates_0(int pos, int kind, int state) -{ - jjmatchedKind = kind; - jjmatchedPos = pos; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { return pos + 1; } - return jjMoveNfa_0(state, pos + 1); -} -static final long[] jjbitVec0 = { - 0xfffffffffffffffeL, 0xffffffffffffffffL, 0xffffffffffffffffL, 0xffffffffffffffffL -}; -static final long[] jjbitVec2 = { - 0x0L, 0x0L, 0xffffffffffffffffL, 0xffffffffffffffffL -}; -private int jjMoveNfa_0(int startState, int curPos) -{ - int startsAt = 0; - jjnewStateCnt = 63; - int i = 1; - jjstateSet[0] = startState; - int kind = 0x7fffffff; - for (;;) - { - if (++jjround == 0x7fffffff) - ReInitRounds(); - if (curChar < 64) - { - long l = 1L << curChar; - do - { - switch(jjstateSet[--i]) - { - case 8: - if ((0x3ff000000000000L & l) != 0L) - { - if (kind > 51) - kind = 51; - jjCheckNAddStates(0, 3); - } - else if (curChar == 39) - jjCheckNAddStates(4, 6); - else if (curChar == 34) - jjCheckNAddStates(7, 9); - else if (curChar == 46) - jjCheckNAdd(22); - else if (curChar == 45) - jjstateSet[jjnewStateCnt++] = 7; - if (curChar == 48) - jjstateSet[jjnewStateCnt++] = 19; - break; - case 0: - case 1: - if (curChar == 61) - jjCheckNAddTwoStates(1, 2); - break; - case 3: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 0; - break; - case 4: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 3; - break; - case 5: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 4; - break; - case 7: - if (curChar == 45) - jjstateSet[jjnewStateCnt++] = 6; - break; - case 9: - case 10: - if (curChar == 61) - jjCheckNAddTwoStates(10, 11); - break; - case 12: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 9; - break; - case 13: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 12; - break; - case 14: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 13; - break; - case 17: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 50) - kind = 50; - jjstateSet[jjnewStateCnt++] = 17; - break; - case 18: - if (curChar == 48) - jjstateSet[jjnewStateCnt++] = 19; - break; - case 20: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjstateSet[jjnewStateCnt++] = 20; - break; - case 21: - if (curChar == 46) - jjCheckNAdd(22); - break; - case 22: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAddTwoStates(22, 23); - break; - case 24: - if ((0x280000000000L & l) != 0L) - jjCheckNAdd(25); - break; - case 25: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAdd(25); - break; - case 26: - if (curChar == 34) - jjCheckNAddStates(7, 9); - break; - case 27: - if ((0xfffffffbffffffffL & l) != 0L) - jjCheckNAddStates(7, 9); - break; - case 28: - if (curChar == 34 && kind > 57) - kind = 57; - break; - case 30: - jjCheckNAddStates(7, 9); - break; - case 32: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 33; - break; - case 33: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 34; - break; - case 34: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 35; - break; - case 35: - case 38: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(7, 9); - break; - case 36: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(10, 13); - break; - case 37: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(14, 17); - break; - case 39: - if (curChar == 39) - jjCheckNAddStates(4, 6); - break; - case 40: - if ((0xffffff7fffffffffL & l) != 0L) - jjCheckNAddStates(4, 6); - break; - case 41: - if (curChar == 39 && kind > 58) - kind = 58; - break; - case 43: - jjCheckNAddStates(4, 6); - break; - case 45: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 46; - break; - case 46: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 47; - break; - case 47: - if ((0x3ff000000000000L & l) != 0L) - jjstateSet[jjnewStateCnt++] = 48; - break; - case 48: - case 51: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(4, 6); - break; - case 49: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(18, 21); - break; - case 50: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddStates(22, 25); - break; - case 52: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAddStates(0, 3); - break; - case 53: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAddTwoStates(53, 54); - break; - case 55: - if ((0x280000000000L & l) != 0L) - jjCheckNAdd(56); - break; - case 56: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAdd(56); - break; - case 57: - if ((0x3ff000000000000L & l) != 0L) - jjCheckNAddTwoStates(57, 58); - break; - case 58: - if (curChar != 46) - break; - if (kind > 51) - kind = 51; - jjCheckNAddTwoStates(59, 60); - break; - case 59: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAddTwoStates(59, 60); - break; - case 61: - if ((0x280000000000L & l) != 0L) - jjCheckNAdd(62); - break; - case 62: - if ((0x3ff000000000000L & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAdd(62); - break; - default : break; - } - } while(i != startsAt); - } - else if (curChar < 128) - { - long l = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 8: - if ((0x7fffffe87fffffeL & l) != 0L) - { - if (kind > 50) - kind = 50; - jjCheckNAdd(17); - } - else if (curChar == 91) - jjstateSet[jjnewStateCnt++] = 14; - break; - case 2: - if (curChar == 91 && kind > 10) - kind = 10; - break; - case 6: - if (curChar == 91) - jjstateSet[jjnewStateCnt++] = 5; - break; - case 11: - if (curChar == 91 && kind > 15) - kind = 15; - break; - case 15: - if (curChar == 91) - jjstateSet[jjnewStateCnt++] = 14; - break; - case 16: - case 17: - if ((0x7fffffe87fffffeL & l) == 0L) - break; - if (kind > 50) - kind = 50; - jjCheckNAdd(17); - break; - case 19: - if ((0x100000001000000L & l) != 0L) - jjCheckNAdd(20); - break; - case 20: - if ((0x7e0000007eL & l) == 0L) - break; - if (kind > 51) - kind = 51; - jjCheckNAdd(20); - break; - case 23: - if ((0x2000000020L & l) != 0L) - jjAddStates(26, 27); - break; - case 27: - if ((0xffffffffefffffffL & l) != 0L) - jjCheckNAddStates(7, 9); - break; - case 29: - if (curChar == 92) - jjAddStates(28, 30); - break; - case 30: - jjCheckNAddStates(7, 9); - break; - case 31: - if (curChar == 117) - jjstateSet[jjnewStateCnt++] = 32; - break; - case 32: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 33; - break; - case 33: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 34; - break; - case 34: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 35; - break; - case 35: - if ((0x7e0000007eL & l) != 0L) - jjCheckNAddStates(7, 9); - break; - case 40: - if ((0xffffffffefffffffL & l) != 0L) - jjCheckNAddStates(4, 6); - break; - case 42: - if (curChar == 92) - jjAddStates(31, 33); - break; - case 43: - jjCheckNAddStates(4, 6); - break; - case 44: - if (curChar == 117) - jjstateSet[jjnewStateCnt++] = 45; - break; - case 45: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 46; - break; - case 46: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 47; - break; - case 47: - if ((0x7e0000007eL & l) != 0L) - jjstateSet[jjnewStateCnt++] = 48; - break; - case 48: - if ((0x7e0000007eL & l) != 0L) - jjCheckNAddStates(4, 6); - break; - case 54: - if ((0x2000000020L & l) != 0L) - jjAddStates(34, 35); - break; - case 60: - if ((0x2000000020L & l) != 0L) - jjAddStates(36, 37); - break; - default : break; - } - } while(i != startsAt); - } - else - { - int hiByte = (int)(curChar >> 8); - int i1 = hiByte >> 6; - long l1 = 1L << (hiByte & 077); - int i2 = (curChar & 0xff) >> 6; - long l2 = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 27: - case 30: - if (jjCanMove_0(hiByte, i1, i2, l1, l2)) - jjCheckNAddStates(7, 9); - break; - case 40: - case 43: - if (jjCanMove_0(hiByte, i1, i2, l1, l2)) - jjCheckNAddStates(4, 6); - break; - default : break; - } - } while(i != startsAt); - } - if (kind != 0x7fffffff) - { - jjmatchedKind = kind; - jjmatchedPos = curPos; - kind = 0x7fffffff; - } - ++curPos; - if ((i = jjnewStateCnt) == (startsAt = 63 - (jjnewStateCnt = startsAt))) - return curPos; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { return curPos; } - } -} -private int jjMoveStringLiteralDfa0_1() -{ - return jjMoveNfa_1(4, 0); -} -private int jjMoveNfa_1(int startState, int curPos) -{ - int startsAt = 0; - jjnewStateCnt = 4; - int i = 1; - jjstateSet[0] = startState; - int kind = 0x7fffffff; - for (;;) - { - if (++jjround == 0x7fffffff) - ReInitRounds(); - if (curChar < 64) - { - long l = 1L << curChar; - do - { - switch(jjstateSet[--i]) - { - case 4: - if ((0xffffffffffffdbffL & l) != 0L) - { - if (kind > 17) - kind = 17; - jjCheckNAddStates(38, 40); - } - else if ((0x2400L & l) != 0L) - { - if (kind > 17) - kind = 17; - } - if (curChar == 13) - jjstateSet[jjnewStateCnt++] = 2; - break; - case 0: - if ((0xffffffffffffdbffL & l) == 0L) - break; - kind = 17; - jjCheckNAddStates(38, 40); - break; - case 1: - if ((0x2400L & l) != 0L && kind > 17) - kind = 17; - break; - case 2: - if (curChar == 10 && kind > 17) - kind = 17; - break; - case 3: - if (curChar == 13) - jjstateSet[jjnewStateCnt++] = 2; - break; - default : break; - } - } while(i != startsAt); - } - else if (curChar < 128) - { - long l = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 4: - case 0: - kind = 17; - jjCheckNAddStates(38, 40); - break; - default : break; - } - } while(i != startsAt); - } - else - { - int hiByte = (int)(curChar >> 8); - int i1 = hiByte >> 6; - long l1 = 1L << (hiByte & 077); - int i2 = (curChar & 0xff) >> 6; - long l2 = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 4: - case 0: - if (!jjCanMove_0(hiByte, i1, i2, l1, l2)) - break; - if (kind > 17) - kind = 17; - jjCheckNAddStates(38, 40); - break; - default : break; - } - } while(i != startsAt); - } - if (kind != 0x7fffffff) - { - jjmatchedKind = kind; - jjmatchedPos = curPos; - kind = 0x7fffffff; - } - ++curPos; - if ((i = jjnewStateCnt) == (startsAt = 4 - (jjnewStateCnt = startsAt))) - return curPos; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { return curPos; } - } -} -private int jjMoveStringLiteralDfa0_6() -{ - return jjMoveNfa_6(6, 0); -} -private int jjMoveNfa_6(int startState, int curPos) -{ - int startsAt = 0; - jjnewStateCnt = 7; - int i = 1; - jjstateSet[0] = startState; - int kind = 0x7fffffff; - for (;;) - { - if (++jjround == 0x7fffffff) - ReInitRounds(); - if (curChar < 64) - { - long l = 1L << curChar; - do - { - switch(jjstateSet[--i]) - { - case 0: - case 1: - if (curChar == 61) - jjCheckNAddTwoStates(1, 2); - break; - case 3: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 0; - break; - case 4: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 3; - break; - case 5: - if (curChar == 61) - jjstateSet[jjnewStateCnt++] = 4; - break; - default : break; - } - } while(i != startsAt); - } - else if (curChar < 128) - { - long l = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - case 2: - if (curChar == 93 && kind > 22) - kind = 22; - break; - case 6: - if (curChar == 93) - jjstateSet[jjnewStateCnt++] = 5; - break; - default : break; - } - } while(i != startsAt); - } - else - { - int hiByte = (int)(curChar >> 8); - int i1 = hiByte >> 6; - long l1 = 1L << (hiByte & 077); - int i2 = (curChar & 0xff) >> 6; - long l2 = 1L << (curChar & 077); - do - { - switch(jjstateSet[--i]) - { - default : break; - } - } while(i != startsAt); - } - if (kind != 0x7fffffff) - { - jjmatchedKind = kind; - jjmatchedPos = curPos; - kind = 0x7fffffff; - } - ++curPos; - if ((i = jjnewStateCnt) == (startsAt = 7 - (jjnewStateCnt = startsAt))) - return curPos; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { return curPos; } - } -} -private int jjMoveStringLiteralDfa0_5() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_5(0x200000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_5(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_5(active0, 0x200000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_5(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa3_5(active0, 0x200000L); - default : - return 3; - } -} -private int jjMoveStringLiteralDfa3_5(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 3; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 3; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa4_5(active0, 0x200000L); - default : - return 4; - } -} -private int jjMoveStringLiteralDfa4_5(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 4; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 4; - } - switch(curChar) - { - case 93: - if ((active0 & 0x200000L) != 0L) - return jjStopAtPos(4, 21); - break; - default : - return 5; - } - return 5; -} -private int jjMoveStringLiteralDfa0_4() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_4(0x100000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_4(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_4(active0, 0x100000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_4(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa3_4(active0, 0x100000L); - default : - return 3; - } -} -private int jjMoveStringLiteralDfa3_4(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 3; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 3; - } - switch(curChar) - { - case 93: - if ((active0 & 0x100000L) != 0L) - return jjStopAtPos(3, 20); - break; - default : - return 4; - } - return 4; -} -private int jjMoveStringLiteralDfa0_3() -{ - switch(curChar) - { - case 93: - return jjMoveStringLiteralDfa1_3(0x80000L); - default : - return 1; - } -} -private int jjMoveStringLiteralDfa1_3(long active0) -{ - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 1; - } - switch(curChar) - { - case 61: - return jjMoveStringLiteralDfa2_3(active0, 0x80000L); - default : - return 2; - } -} -private int jjMoveStringLiteralDfa2_3(long old0, long active0) -{ - if (((active0 &= old0)) == 0L) - return 2; - try { curChar = input_stream.readChar(); } - catch(java.io.IOException e) { - return 2; - } - switch(curChar) - { - case 93: - if ((active0 & 0x80000L) != 0L) - return jjStopAtPos(2, 19); - break; - default : - return 3; - } - return 3; -} -static final int[] jjnextStates = { - 53, 54, 57, 58, 40, 41, 42, 27, 28, 29, 27, 28, 29, 37, 27, 38, - 28, 29, 40, 41, 42, 50, 40, 51, 41, 42, 24, 25, 30, 31, 36, 43, - 44, 49, 55, 56, 61, 62, 0, 1, 3, -}; -private static final boolean jjCanMove_0(int hiByte, int i1, int i2, long l1, long l2) -{ - switch(hiByte) - { - case 0: - return ((jjbitVec2[i2] & l2) != 0L); - default : - if ((jjbitVec0[i1] & l1) != 0L) - return true; - return false; - } -} - -/** Token literal values. */ -public static final String[] jjstrLiteralImages = { -"", null, null, null, null, null, null, null, null, null, null, null, null, -null, null, null, null, null, null, null, null, null, null, null, null, null, null, -null, null, "\141\156\144", "\142\162\145\141\153", "\144\157", "\145\154\163\145", -"\145\154\163\145\151\146", "\145\156\144", "\146\141\154\163\145", "\146\157\162", -"\146\165\156\143\164\151\157\156", "\151\146", "\151\156", "\154\157\143\141\154", "\156\151\154", -"\156\157\164", "\157\162", "\162\145\164\165\162\156", "\162\145\160\145\141\164", -"\164\150\145\156", "\164\162\165\145", "\165\156\164\151\154", "\167\150\151\154\145", null, null, -null, null, null, null, null, null, null, null, null, null, null, null, "\73", -"\75", "\54", "\56", "\72", "\50", "\51", "\133", "\135", "\56\56\56", "\173", -"\175", "\53", "\55", "\52", "\57", "\136", "\45", "\56\56", "\74", "\74\75", "\76", -"\76\75", "\75\75", "\176\75", "\43", }; - -/** Lexer state names. */ -public static final String[] lexStateNames = { - "DEFAULT", - "IN_COMMENT", - "IN_LC0", - "IN_LC1", - "IN_LC2", - "IN_LC3", - "IN_LCN", - "IN_LS0", - "IN_LS1", - "IN_LS2", - "IN_LS3", - "IN_LSN", -}; - -/** Lex State array. */ -public static final int[] jjnewLexState = { - -1, -1, -1, -1, -1, -1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 1, 0, 0, 0, 0, 0, 0, 0, 0, - 0, 0, 0, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, - -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, - -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -1, -}; -static final long[] jjtoToken = { - 0x60fffffef800001L, 0x3ffffffL, -}; -static final long[] jjtoSkip = { - 0x7e003eL, 0x0L, -}; -static final long[] jjtoSpecial = { - 0x7e0000L, 0x0L, -}; -static final long[] jjtoMore = { - 0x1001ffc0L, 0x0L, -}; -protected SimpleCharStream input_stream; -private final int[] jjrounds = new int[63]; -private final int[] jjstateSet = new int[126]; -private final StringBuffer jjimage = new StringBuffer(); -private StringBuffer image = jjimage; -private int jjimageLen; -private int lengthOfMatch; -protected char curChar; -/** Constructor. */ -public LuaParserTokenManager(SimpleCharStream stream){ - if (SimpleCharStream.staticFlag) - throw new Error("ERROR: Cannot use a static CharStream class with a non-static lexical analyzer."); - input_stream = stream; -} - -/** Constructor. */ -public LuaParserTokenManager(SimpleCharStream stream, int lexState){ - this(stream); - SwitchTo(lexState); -} - -/** Reinitialise parser. */ -public void ReInit(SimpleCharStream stream) -{ - jjmatchedPos = jjnewStateCnt = 0; - curLexState = defaultLexState; - input_stream = stream; - ReInitRounds(); -} -private void ReInitRounds() -{ - int i; - jjround = 0x80000001; - for (i = 63; i-- > 0;) - jjrounds[i] = 0x80000000; -} - -/** Reinitialise parser. */ -public void ReInit(SimpleCharStream stream, int lexState) -{ - ReInit(stream); - SwitchTo(lexState); -} - -/** Switch to specified lex state. */ -public void SwitchTo(int lexState) -{ - if (lexState >= 12 || lexState < 0) - throw new TokenMgrError("Error: Ignoring invalid lexical state : " + lexState + ". State unchanged.", TokenMgrError.INVALID_LEXICAL_STATE); - else - curLexState = lexState; -} - -protected Token jjFillToken() -{ - final Token t; - final String curTokenImage; - final int beginLine; - final int endLine; - final int beginColumn; - final int endColumn; - if (jjmatchedPos < 0) - { - if (image == null) - curTokenImage = ""; - else - curTokenImage = image.toString(); - beginLine = endLine = input_stream.getBeginLine(); - beginColumn = endColumn = input_stream.getBeginColumn(); - } - else - { - String im = jjstrLiteralImages[jjmatchedKind]; - curTokenImage = (im == null) ? input_stream.GetImage() : im; - beginLine = input_stream.getBeginLine(); - beginColumn = input_stream.getBeginColumn(); - endLine = input_stream.getEndLine(); - endColumn = input_stream.getEndColumn(); - } - t = Token.newToken(jjmatchedKind, curTokenImage); - - t.beginLine = beginLine; - t.endLine = endLine; - t.beginColumn = beginColumn; - t.endColumn = endColumn; - - return t; -} - -int curLexState = 0; -int defaultLexState = 0; -int jjnewStateCnt; -int jjround; -int jjmatchedPos; -int jjmatchedKind; - -/** Get the next Token. */ -public Token getNextToken() -{ - Token specialToken = null; - Token matchedToken; - int curPos = 0; - - EOFLoop : - for (;;) - { - try - { - curChar = input_stream.BeginToken(); - } - catch(java.io.IOException e) - { - jjmatchedKind = 0; - matchedToken = jjFillToken(); - matchedToken.specialToken = specialToken; - return matchedToken; - } - image = jjimage; - image.setLength(0); - jjimageLen = 0; - - for (;;) - { - switch(curLexState) - { - case 0: - try { input_stream.backup(0); - while (curChar <= 32 && (0x100003600L & (1L << curChar)) != 0L) - curChar = input_stream.BeginToken(); - } - catch (java.io.IOException e1) { continue EOFLoop; } - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_0(); - break; - case 1: - jjmatchedKind = 17; - jjmatchedPos = -1; - curPos = 0; - curPos = jjMoveStringLiteralDfa0_1(); - break; - case 2: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_2(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 3: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_3(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 4: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_4(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 5: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_5(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 6: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_6(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 7: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_7(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 8: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_8(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 9: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_9(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 10: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_10(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - case 11: - jjmatchedKind = 0x7fffffff; - jjmatchedPos = 0; - curPos = jjMoveStringLiteralDfa0_11(); - if (jjmatchedPos == 0 && jjmatchedKind > 28) - { - jjmatchedKind = 28; - } - break; - } - if (jjmatchedKind != 0x7fffffff) - { - if (jjmatchedPos + 1 < curPos) - input_stream.backup(curPos - jjmatchedPos - 1); - if ((jjtoToken[jjmatchedKind >> 6] & (1L << (jjmatchedKind & 077))) != 0L) - { - matchedToken = jjFillToken(); - matchedToken.specialToken = specialToken; - if (jjnewLexState[jjmatchedKind] != -1) - curLexState = jjnewLexState[jjmatchedKind]; - return matchedToken; - } - else if ((jjtoSkip[jjmatchedKind >> 6] & (1L << (jjmatchedKind & 077))) != 0L) - { - if ((jjtoSpecial[jjmatchedKind >> 6] & (1L << (jjmatchedKind & 077))) != 0L) - { - matchedToken = jjFillToken(); - if (specialToken == null) - specialToken = matchedToken; - else - { - matchedToken.specialToken = specialToken; - specialToken = (specialToken.next = matchedToken); - } - SkipLexicalActions(matchedToken); - } - else - SkipLexicalActions(null); - if (jjnewLexState[jjmatchedKind] != -1) - curLexState = jjnewLexState[jjmatchedKind]; - continue EOFLoop; - } - jjimageLen += jjmatchedPos + 1; - if (jjnewLexState[jjmatchedKind] != -1) - curLexState = jjnewLexState[jjmatchedKind]; - curPos = 0; - jjmatchedKind = 0x7fffffff; - try { - curChar = input_stream.readChar(); - continue; - } - catch (java.io.IOException e1) { } - } - int error_line = input_stream.getEndLine(); - int error_column = input_stream.getEndColumn(); - String error_after = null; - boolean EOFSeen = false; - try { input_stream.readChar(); input_stream.backup(1); } - catch (java.io.IOException e1) { - EOFSeen = true; - error_after = curPos <= 1 ? "" : input_stream.GetImage(); - if (curChar == '\n' || curChar == '\r') { - error_line++; - error_column = 0; - } - else - error_column++; - } - if (!EOFSeen) { - input_stream.backup(1); - error_after = curPos <= 1 ? "" : input_stream.GetImage(); - } - throw new TokenMgrError(EOFSeen, curLexState, error_line, error_column, error_after, curChar, TokenMgrError.LEXICAL_ERROR); - } - } -} - -void SkipLexicalActions(Token matchedToken) -{ - switch(jjmatchedKind) - { - default : - break; - } -} -private void jjCheckNAdd(int state) -{ - if (jjrounds[state] != jjround) - { - jjstateSet[jjnewStateCnt++] = state; - jjrounds[state] = jjround; - } -} -private void jjAddStates(int start, int end) -{ - do { - jjstateSet[jjnewStateCnt++] = jjnextStates[start]; - } while (start++ != end); -} -private void jjCheckNAddTwoStates(int state1, int state2) -{ - jjCheckNAdd(state1); - jjCheckNAdd(state2); -} - -private void jjCheckNAddStates(int start, int end) -{ - do { - jjCheckNAdd(jjnextStates[start]); - } while (start++ != end); -} - -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/ParseException.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/ParseException.java deleted file mode 100644 index b59d68cab..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/ParseException.java +++ /dev/null @@ -1,187 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. ParseException.java Version 5.0 */ -/* JavaCCOptions:KEEP_LINE_COL=null */ -package org.luaj.vm2.parser; - -/** - * This exception is thrown when parse errors are encountered. - * You can explicitly create objects of this exception type by - * calling the method generateParseException in the generated - * parser. - * - * You can modify this class to customize your error reporting - * mechanisms so long as you retain the public fields. - */ -public class ParseException extends Exception { - - /** - * The version identifier for this Serializable class. - * Increment only if the serialized form of the - * class changes. - */ - private static final long serialVersionUID = 1L; - - /** - * This constructor is used by the method "generateParseException" - * in the generated parser. Calling this constructor generates - * a new object of this type with the fields "currentToken", - * "expectedTokenSequences", and "tokenImage" set. - */ - public ParseException(Token currentTokenVal, - int[][] expectedTokenSequencesVal, - String[] tokenImageVal - ) - { - super(initialise(currentTokenVal, expectedTokenSequencesVal, tokenImageVal)); - currentToken = currentTokenVal; - expectedTokenSequences = expectedTokenSequencesVal; - tokenImage = tokenImageVal; - } - - /** - * The following constructors are for use by you for whatever - * purpose you can think of. Constructing the exception in this - * manner makes the exception behave in the normal way - i.e., as - * documented in the class "Throwable". The fields "errorToken", - * "expectedTokenSequences", and "tokenImage" do not contain - * relevant information. The JavaCC generated code does not use - * these constructors. - */ - - public ParseException() { - super(); - } - - /** Constructor with message. */ - public ParseException(String message) { - super(message); - } - - - /** - * This is the last token that has been consumed successfully. If - * this object has been created due to a parse error, the token - * followng this token will (therefore) be the first error token. - */ - public Token currentToken; - - /** - * Each entry in this array is an array of integers. Each array - * of integers represents a sequence of tokens (by their ordinal - * values) that is expected at this point of the parse. - */ - public int[][] expectedTokenSequences; - - /** - * This is a reference to the "tokenImage" array of the generated - * parser within which the parse error occurred. This array is - * defined in the generated ...Constants interface. - */ - public String[] tokenImage; - - /** - * It uses "currentToken" and "expectedTokenSequences" to generate a parse - * error message and returns it. If this object has been created - * due to a parse error, and you do not catch it (it gets thrown - * from the parser) the correct error message - * gets displayed. - */ - private static String initialise(Token currentToken, - int[][] expectedTokenSequences, - String[] tokenImage) { - String eol = System.getProperty("line.separator", "\n"); - StringBuffer expected = new StringBuffer(); - int maxSize = 0; - for (int i = 0; i < expectedTokenSequences.length; i++) { - if (maxSize < expectedTokenSequences[i].length) { - maxSize = expectedTokenSequences[i].length; - } - for (int j = 0; j < expectedTokenSequences[i].length; j++) { - expected.append(tokenImage[expectedTokenSequences[i][j]]).append(' '); - } - if (expectedTokenSequences[i][expectedTokenSequences[i].length - 1] != 0) { - expected.append("..."); - } - expected.append(eol).append(" "); - } - String retval = "Encountered \""; - Token tok = currentToken.next; - for (int i = 0; i < maxSize; i++) { - if (i != 0) retval += " "; - if (tok.kind == 0) { - retval += tokenImage[0]; - break; - } - retval += " " + tokenImage[tok.kind]; - retval += " \""; - retval += add_escapes(tok.image); - retval += " \""; - tok = tok.next; - } - retval += "\" at line " + currentToken.next.beginLine + ", column " + currentToken.next.beginColumn; - retval += "." + eol; - if (expectedTokenSequences.length == 1) { - retval += "Was expecting:" + eol + " "; - } else { - retval += "Was expecting one of:" + eol + " "; - } - retval += expected.toString(); - return retval; - } - - /** - * The end of line string for this machine. - */ - protected String eol = System.getProperty("line.separator", "\n"); - - /** - * Used to convert raw characters to their escaped version - * when these raw version cannot be used as part of an ASCII - * string literal. - */ - static String add_escapes(String str) { - StringBuffer retval = new StringBuffer(); - char ch; - for (int i = 0; i < str.length(); i++) { - switch (str.charAt(i)) - { - case 0 : - continue; - case '\b': - retval.append("\\b"); - continue; - case '\t': - retval.append("\\t"); - continue; - case '\n': - retval.append("\\n"); - continue; - case '\f': - retval.append("\\f"); - continue; - case '\r': - retval.append("\\r"); - continue; - case '\"': - retval.append("\\\""); - continue; - case '\'': - retval.append("\\\'"); - continue; - case '\\': - retval.append("\\\\"); - continue; - default: - if ((ch = str.charAt(i)) < 0x20 || ch > 0x7e) { - String s = "0000" + Integer.toString(ch, 16); - retval.append("\\u" + s.substring(s.length() - 4, s.length())); - } else { - retval.append(ch); - } - continue; - } - } - return retval.toString(); - } - -} -/* JavaCC - OriginalChecksum=ef246095a930e4915c0d4bbf4c9880ad (do not edit this line) */ diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/SimpleCharStream.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/SimpleCharStream.java deleted file mode 100644 index da3746caa..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/SimpleCharStream.java +++ /dev/null @@ -1,469 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. SimpleCharStream.java Version 5.0 */ -/* JavaCCOptions:STATIC=false,SUPPORT_CLASS_VISIBILITY_PUBLIC=true */ -package org.luaj.vm2.parser; - -/** - * An implementation of interface CharStream, where the stream is assumed to - * contain only ASCII characters (without unicode processing). - */ - -public class SimpleCharStream -{ -/** Whether parser is static. */ - public static final boolean staticFlag = false; - int bufsize; - int available; - int tokenBegin; -/** Position in buffer. */ - public int bufpos = -1; - protected int bufline[]; - protected int bufcolumn[]; - - protected int column = 0; - protected int line = 1; - - protected boolean prevCharIsCR = false; - protected boolean prevCharIsLF = false; - - protected java.io.Reader inputStream; - - protected char[] buffer; - protected int maxNextCharInd = 0; - protected int inBuf = 0; - protected int tabSize = 8; - - protected void setTabSize(int i) { tabSize = i; } - protected int getTabSize(int i) { return tabSize; } - - - protected void ExpandBuff(boolean wrapAround) - { - char[] newbuffer = new char[bufsize + 2048]; - int newbufline[] = new int[bufsize + 2048]; - int newbufcolumn[] = new int[bufsize + 2048]; - - try - { - if (wrapAround) - { - System.arraycopy(buffer, tokenBegin, newbuffer, 0, bufsize - tokenBegin); - System.arraycopy(buffer, 0, newbuffer, bufsize - tokenBegin, bufpos); - buffer = newbuffer; - - System.arraycopy(bufline, tokenBegin, newbufline, 0, bufsize - tokenBegin); - System.arraycopy(bufline, 0, newbufline, bufsize - tokenBegin, bufpos); - bufline = newbufline; - - System.arraycopy(bufcolumn, tokenBegin, newbufcolumn, 0, bufsize - tokenBegin); - System.arraycopy(bufcolumn, 0, newbufcolumn, bufsize - tokenBegin, bufpos); - bufcolumn = newbufcolumn; - - maxNextCharInd = (bufpos += (bufsize - tokenBegin)); - } - else - { - System.arraycopy(buffer, tokenBegin, newbuffer, 0, bufsize - tokenBegin); - buffer = newbuffer; - - System.arraycopy(bufline, tokenBegin, newbufline, 0, bufsize - tokenBegin); - bufline = newbufline; - - System.arraycopy(bufcolumn, tokenBegin, newbufcolumn, 0, bufsize - tokenBegin); - bufcolumn = newbufcolumn; - - maxNextCharInd = (bufpos -= tokenBegin); - } - } - catch (Throwable t) - { - throw new Error(t.getMessage()); - } - - - bufsize += 2048; - available = bufsize; - tokenBegin = 0; - } - - protected void FillBuff() throws java.io.IOException - { - if (maxNextCharInd == available) - { - if (available == bufsize) - { - if (tokenBegin > 2048) - { - bufpos = maxNextCharInd = 0; - available = tokenBegin; - } - else if (tokenBegin < 0) - bufpos = maxNextCharInd = 0; - else - ExpandBuff(false); - } - else if (available > tokenBegin) - available = bufsize; - else if ((tokenBegin - available) < 2048) - ExpandBuff(true); - else - available = tokenBegin; - } - - int i; - try { - if ((i = inputStream.read(buffer, maxNextCharInd, available - maxNextCharInd)) == -1) - { - inputStream.close(); - throw new java.io.IOException(); - } - else - maxNextCharInd += i; - return; - } - catch(java.io.IOException e) { - --bufpos; - backup(0); - if (tokenBegin == -1) - tokenBegin = bufpos; - throw e; - } - } - -/** Start. */ - public char BeginToken() throws java.io.IOException - { - tokenBegin = -1; - char c = readChar(); - tokenBegin = bufpos; - - return c; - } - - protected void UpdateLineColumn(char c) - { - column++; - - if (prevCharIsLF) - { - prevCharIsLF = false; - line += (column = 1); - } - else if (prevCharIsCR) - { - prevCharIsCR = false; - if (c == '\n') - { - prevCharIsLF = true; - } - else - line += (column = 1); - } - - switch (c) - { - case '\r' : - prevCharIsCR = true; - break; - case '\n' : - prevCharIsLF = true; - break; - case '\t' : - column--; - column += (tabSize - (column % tabSize)); - break; - default : - break; - } - - bufline[bufpos] = line; - bufcolumn[bufpos] = column; - } - -/** Read a character. */ - public char readChar() throws java.io.IOException - { - if (inBuf > 0) - { - --inBuf; - - if (++bufpos == bufsize) - bufpos = 0; - - return buffer[bufpos]; - } - - if (++bufpos >= maxNextCharInd) - FillBuff(); - - char c = buffer[bufpos]; - - UpdateLineColumn(c); - return c; - } - - /** - * @deprecated - * @see #getEndColumn - */ - - public int getColumn() { - return bufcolumn[bufpos]; - } - - /** - * @deprecated - * @see #getEndLine - */ - - public int getLine() { - return bufline[bufpos]; - } - - /** Get token end column number. */ - public int getEndColumn() { - return bufcolumn[bufpos]; - } - - /** Get token end line number. */ - public int getEndLine() { - return bufline[bufpos]; - } - - /** Get token beginning column number. */ - public int getBeginColumn() { - return bufcolumn[tokenBegin]; - } - - /** Get token beginning line number. */ - public int getBeginLine() { - return bufline[tokenBegin]; - } - -/** Backup a number of characters. */ - public void backup(int amount) { - - inBuf += amount; - if ((bufpos -= amount) < 0) - bufpos += bufsize; - } - - /** Constructor. */ - public SimpleCharStream(java.io.Reader dstream, int startline, - int startcolumn, int buffersize) - { - inputStream = dstream; - line = startline; - column = startcolumn - 1; - - available = bufsize = buffersize; - buffer = new char[buffersize]; - bufline = new int[buffersize]; - bufcolumn = new int[buffersize]; - } - - /** Constructor. */ - public SimpleCharStream(java.io.Reader dstream, int startline, - int startcolumn) - { - this(dstream, startline, startcolumn, 4096); - } - - /** Constructor. */ - public SimpleCharStream(java.io.Reader dstream) - { - this(dstream, 1, 1, 4096); - } - - /** Reinitialise. */ - public void ReInit(java.io.Reader dstream, int startline, - int startcolumn, int buffersize) - { - inputStream = dstream; - line = startline; - column = startcolumn - 1; - - if (buffer == null || buffersize != buffer.length) - { - available = bufsize = buffersize; - buffer = new char[buffersize]; - bufline = new int[buffersize]; - bufcolumn = new int[buffersize]; - } - prevCharIsLF = prevCharIsCR = false; - tokenBegin = inBuf = maxNextCharInd = 0; - bufpos = -1; - } - - /** Reinitialise. */ - public void ReInit(java.io.Reader dstream, int startline, - int startcolumn) - { - ReInit(dstream, startline, startcolumn, 4096); - } - - /** Reinitialise. */ - public void ReInit(java.io.Reader dstream) - { - ReInit(dstream, 1, 1, 4096); - } - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream, String encoding, int startline, - int startcolumn, int buffersize) throws java.io.UnsupportedEncodingException - { - this(encoding == null ? new java.io.InputStreamReader(dstream) : new java.io.InputStreamReader(dstream, encoding), startline, startcolumn, buffersize); - } - - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream, int startline, - int startcolumn, int buffersize) - { - this(new java.io.InputStreamReader(dstream), startline, startcolumn, buffersize); - } - - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream, String encoding, int startline, - int startcolumn) throws java.io.UnsupportedEncodingException - { - this(dstream, encoding, startline, startcolumn, 4096); - } - - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream, int startline, - int startcolumn) - { - this(dstream, startline, startcolumn, 4096); - } - - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream, String encoding) throws java.io.UnsupportedEncodingException - { - this(dstream, encoding, 1, 1, 4096); - } - - /** Constructor. */ - public SimpleCharStream(java.io.InputStream dstream) - { - this(dstream, 1, 1, 4096); - } - - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream, String encoding, int startline, - int startcolumn, int buffersize) throws java.io.UnsupportedEncodingException - { - ReInit(encoding == null ? new java.io.InputStreamReader(dstream) : new java.io.InputStreamReader(dstream, encoding), startline, startcolumn, buffersize); - } - - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream, int startline, - int startcolumn, int buffersize) - { - ReInit(new java.io.InputStreamReader(dstream), startline, startcolumn, buffersize); - } - - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream, String encoding) throws java.io.UnsupportedEncodingException - { - ReInit(dstream, encoding, 1, 1, 4096); - } - - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream) - { - ReInit(dstream, 1, 1, 4096); - } - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream, String encoding, int startline, - int startcolumn) throws java.io.UnsupportedEncodingException - { - ReInit(dstream, encoding, startline, startcolumn, 4096); - } - /** Reinitialise. */ - public void ReInit(java.io.InputStream dstream, int startline, - int startcolumn) - { - ReInit(dstream, startline, startcolumn, 4096); - } - /** Get token literal value. */ - public String GetImage() - { - if (bufpos >= tokenBegin) - return new String(buffer, tokenBegin, bufpos - tokenBegin + 1); - else - return new String(buffer, tokenBegin, bufsize - tokenBegin) + - new String(buffer, 0, bufpos + 1); - } - - /** Get the suffix. */ - public char[] GetSuffix(int len) - { - char[] ret = new char[len]; - - if ((bufpos + 1) >= len) - System.arraycopy(buffer, bufpos - len + 1, ret, 0, len); - else - { - System.arraycopy(buffer, bufsize - (len - bufpos - 1), ret, 0, - len - bufpos - 1); - System.arraycopy(buffer, 0, ret, len - bufpos - 1, bufpos + 1); - } - - return ret; - } - - /** Reset buffer when finished. */ - public void Done() - { - buffer = null; - bufline = null; - bufcolumn = null; - } - - /** - * Method to adjust line and column numbers for the start of a token. - */ - public void adjustBeginLineColumn(int newLine, int newCol) - { - int start = tokenBegin; - int len; - - if (bufpos >= tokenBegin) - { - len = bufpos - tokenBegin + inBuf + 1; - } - else - { - len = bufsize - tokenBegin + bufpos + 1 + inBuf; - } - - int i = 0, j = 0, k = 0; - int nextColDiff = 0, columnDiff = 0; - - while (i < len && bufline[j = start % bufsize] == bufline[k = ++start % bufsize]) - { - bufline[j] = newLine; - nextColDiff = columnDiff + bufcolumn[k] - bufcolumn[j]; - bufcolumn[j] = newCol + columnDiff; - columnDiff = nextColDiff; - i++; - } - - if (i < len) - { - bufline[j] = newLine++; - bufcolumn[j] = newCol + columnDiff; - - while (i++ < len) - { - if (bufline[j = start % bufsize] != bufline[++start % bufsize]) - bufline[j] = newLine++; - else - bufline[j] = newLine; - } - } - - line = bufline[j]; - column = bufcolumn[j]; - } - -} -/* JavaCC - OriginalChecksum=ab0c629eabd887d4c88cec51eb5e6477 (do not edit this line) */ diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/Token.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/Token.java deleted file mode 100644 index d3eec17c8..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/Token.java +++ /dev/null @@ -1,131 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. Token.java Version 5.0 */ -/* JavaCCOptions:TOKEN_EXTENDS=,KEEP_LINE_COL=null,SUPPORT_CLASS_VISIBILITY_PUBLIC=true */ -package org.luaj.vm2.parser; - -/** - * Describes the input token stream. - */ - -public class Token implements java.io.Serializable { - - /** - * The version identifier for this Serializable class. - * Increment only if the serialized form of the - * class changes. - */ - private static final long serialVersionUID = 1L; - - /** - * An integer that describes the kind of this token. This numbering - * system is determined by JavaCCParser, and a table of these numbers is - * stored in the file ...Constants.java. - */ - public int kind; - - /** The line number of the first character of this Token. */ - public int beginLine; - /** The column number of the first character of this Token. */ - public int beginColumn; - /** The line number of the last character of this Token. */ - public int endLine; - /** The column number of the last character of this Token. */ - public int endColumn; - - /** - * The string image of the token. - */ - public String image; - - /** - * A reference to the next regular (non-special) token from the input - * stream. If this is the last token from the input stream, or if the - * token manager has not read tokens beyond this one, this field is - * set to null. This is true only if this token is also a regular - * token. Otherwise, see below for a description of the contents of - * this field. - */ - public Token next; - - /** - * This field is used to access special tokens that occur prior to this - * token, but after the immediately preceding regular (non-special) token. - * If there are no such special tokens, this field is set to null. - * When there are more than one such special token, this field refers - * to the last of these special tokens, which in turn refers to the next - * previous special token through its specialToken field, and so on - * until the first special token (whose specialToken field is null). - * The next fields of special tokens refer to other special tokens that - * immediately follow it (without an intervening regular token). If there - * is no such token, this field is null. - */ - public Token specialToken; - - /** - * An optional attribute value of the Token. - * Tokens which are not used as syntactic sugar will often contain - * meaningful values that will be used later on by the compiler or - * interpreter. This attribute value is often different from the image. - * Any subclass of Token that actually wants to return a non-null value can - * override this method as appropriate. - */ - public Object getValue() { - return null; - } - - /** - * No-argument constructor - */ - public Token() {} - - /** - * Constructs a new token for the specified Image. - */ - public Token(int kind) - { - this(kind, null); - } - - /** - * Constructs a new token for the specified Image and Kind. - */ - public Token(int kind, String image) - { - this.kind = kind; - this.image = image; - } - - /** - * Returns the image. - */ - public String toString() - { - return image; - } - - /** - * Returns a new Token object, by default. However, if you want, you - * can create and return subclass objects based on the value of ofKind. - * Simply add the cases to the switch for all those special cases. - * For example, if you have a subclass of Token called IDToken that - * you want to create if ofKind is ID, simply add something like : - * - * case MyParserConstants.ID : return new IDToken(ofKind, image); - * - * to the following switch statement. Then you can cast matchedToken - * variable to the appropriate type and use sit in your lexical actions. - */ - public static Token newToken(int ofKind, String image) - { - switch(ofKind) - { - default : return new Token(ofKind, image); - } - } - - public static Token newToken(int ofKind) - { - return newToken(ofKind, null); - } - -} -/* JavaCC - OriginalChecksum=70d73add5771158f10d1ae81755e7cfc (do not edit this line) */ diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/TokenMgrError.java b/luaj-2.0.3/src/jse/org/luaj/vm2/parser/TokenMgrError.java deleted file mode 100644 index 37a7f55b6..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/parser/TokenMgrError.java +++ /dev/null @@ -1,147 +0,0 @@ -/* Generated By:JavaCC: Do not edit this line. TokenMgrError.java Version 5.0 */ -/* JavaCCOptions: */ -package org.luaj.vm2.parser; - -/** Token Manager Error. */ -public class TokenMgrError extends Error -{ - - /** - * The version identifier for this Serializable class. - * Increment only if the serialized form of the - * class changes. - */ - private static final long serialVersionUID = 1L; - - /* - * Ordinals for various reasons why an Error of this type can be thrown. - */ - - /** - * Lexical error occurred. - */ - static final int LEXICAL_ERROR = 0; - - /** - * An attempt was made to create a second instance of a static token manager. - */ - static final int STATIC_LEXER_ERROR = 1; - - /** - * Tried to change to an invalid lexical state. - */ - static final int INVALID_LEXICAL_STATE = 2; - - /** - * Detected (and bailed out of) an infinite loop in the token manager. - */ - static final int LOOP_DETECTED = 3; - - /** - * Indicates the reason why the exception is thrown. It will have - * one of the above 4 values. - */ - int errorCode; - - /** - * Replaces unprintable characters by their escaped (or unicode escaped) - * equivalents in the given string - */ - protected static final String addEscapes(String str) { - StringBuffer retval = new StringBuffer(); - char ch; - for (int i = 0; i < str.length(); i++) { - switch (str.charAt(i)) - { - case 0 : - continue; - case '\b': - retval.append("\\b"); - continue; - case '\t': - retval.append("\\t"); - continue; - case '\n': - retval.append("\\n"); - continue; - case '\f': - retval.append("\\f"); - continue; - case '\r': - retval.append("\\r"); - continue; - case '\"': - retval.append("\\\""); - continue; - case '\'': - retval.append("\\\'"); - continue; - case '\\': - retval.append("\\\\"); - continue; - default: - if ((ch = str.charAt(i)) < 0x20 || ch > 0x7e) { - String s = "0000" + Integer.toString(ch, 16); - retval.append("\\u" + s.substring(s.length() - 4, s.length())); - } else { - retval.append(ch); - } - continue; - } - } - return retval.toString(); - } - - /** - * Returns a detailed message for the Error when it is thrown by the - * token manager to indicate a lexical error. - * Parameters : - * EOFSeen : indicates if EOF caused the lexical error - * curLexState : lexical state in which this error occurred - * errorLine : line number when the error occurred - * errorColumn : column number when the error occurred - * errorAfter : prefix that was seen before this error occurred - * curchar : the offending character - * Note: You can customize the lexical error message by modifying this method. - */ - protected static String LexicalError(boolean EOFSeen, int lexState, int errorLine, int errorColumn, String errorAfter, char curChar) { - return("Lexical error at line " + - errorLine + ", column " + - errorColumn + ". Encountered: " + - (EOFSeen ? " " : ("\"" + addEscapes(String.valueOf(curChar)) + "\"") + " (" + (int)curChar + "), ") + - "after : \"" + addEscapes(errorAfter) + "\""); - } - - /** - * You can also modify the body of this method to customize your error messages. - * For example, cases like LOOP_DETECTED and INVALID_LEXICAL_STATE are not - * of end-users concern, so you can return something like : - * - * "Internal Error : Please file a bug report .... " - * - * from this method for such cases in the release version of your parser. - */ - public String getMessage() { - return super.getMessage(); - } - - /* - * Constructors of various flavors follow. - */ - - /** No arg constructor. */ - public TokenMgrError() { - } - - /** Constructor with message and reason. */ - public TokenMgrError(String message, int reason) { - super(message); - errorCode = reason; - } - - /** Full Constructor. */ - public TokenMgrError(boolean EOFSeen, int lexState, int errorLine, int errorColumn, String errorAfter, char curChar, int reason) { - this(LexicalError(EOFSeen, lexState, errorLine, errorColumn, errorAfter, curChar), reason); - } -} -/* JavaCC - OriginalChecksum=bd3720425dc7b44a5223b12676db358c (do not edit this line) */ diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngine.java b/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngine.java deleted file mode 100644 index 468a095d9..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngine.java +++ /dev/null @@ -1,286 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2008 LuaJ. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.script; - -import java.io.IOException; -import java.io.InputStream; -import java.io.Reader; -import java.io.StringReader; -import java.util.Iterator; - -import javax.script.Bindings; -import javax.script.Compilable; -import javax.script.CompiledScript; -import javax.script.ScriptContext; -import javax.script.ScriptEngine; -import javax.script.ScriptEngineFactory; -import javax.script.ScriptException; -import javax.script.SimpleBindings; -import javax.script.SimpleScriptContext; - -import org.luaj.vm2.LoadState; -import org.luaj.vm2.Lua; -import org.luaj.vm2.LuaClosure; -import org.luaj.vm2.LuaError; -import org.luaj.vm2.LuaFunction; -import org.luaj.vm2.LuaTable; -import org.luaj.vm2.LuaValue; -import org.luaj.vm2.Prototype; -import org.luaj.vm2.Varargs; -import org.luaj.vm2.lib.jse.CoerceJavaToLua; -import org.luaj.vm2.lib.jse.JsePlatform; - -/** - * - * @author jim_roseborough - */ -public class LuaScriptEngine implements ScriptEngine, Compilable { - - private static final String __ENGINE_VERSION__ = Lua._VERSION; - private static final String __NAME__ = "Luaj"; - private static final String __SHORT_NAME__ = "Luaj"; - private static final String __LANGUAGE__ = "lua"; - private static final String __LANGUAGE_VERSION__ = "5.1"; - private static final String __ARGV__ = "arg"; - private static final String __FILENAME__ = "?"; - - private static final ScriptEngineFactory myFactory = new LuaScriptEngineFactory(); - - private ScriptContext defaultContext; - - private final LuaValue _G; - - public LuaScriptEngine() { - - // create globals - _G = JsePlatform.standardGlobals(); - - // set up context - ScriptContext ctx = new SimpleScriptContext(); - ctx.setBindings(createBindings(), ScriptContext.ENGINE_SCOPE); - setContext(ctx); - - // set special values - put(LANGUAGE_VERSION, __LANGUAGE_VERSION__); - put(LANGUAGE, __LANGUAGE__); - put(ENGINE, __NAME__); - put(ENGINE_VERSION, __ENGINE_VERSION__); - put(ARGV, __ARGV__); - put(FILENAME, __FILENAME__); - put(NAME, __SHORT_NAME__); - put("THREADING", null); - } - - - public Object eval(String script) throws ScriptException { - return eval(new StringReader(script)); - } - - public Object eval(String script, ScriptContext context) throws ScriptException { - return eval(new StringReader(script), context); - } - - public Object eval(String script, Bindings bindings) throws ScriptException { - return eval(new StringReader(script), bindings); - } - - public Object eval(Reader reader) throws ScriptException { - return eval(reader, getContext()); - } - - public Object eval(Reader reader, ScriptContext scriptContext) throws ScriptException { - return compile(reader).eval(scriptContext); - } - - public Object eval(Reader reader, Bindings bindings) throws ScriptException { - ScriptContext c = getContext(); - Bindings current = c.getBindings(ScriptContext.ENGINE_SCOPE); - c.setBindings(bindings, ScriptContext.ENGINE_SCOPE); - Object result = eval(reader); - c.setBindings(current, ScriptContext.ENGINE_SCOPE); - return result; - } - - public void put(String key, Object value) { - Bindings b = getBindings(ScriptContext.ENGINE_SCOPE); - b.put(key, value); - } - - public Object get(String key) { - Bindings b = getBindings(ScriptContext.ENGINE_SCOPE); - return b.get(key); - } - - public Bindings getBindings(int scope) { - return getContext().getBindings(scope); - } - - public void setBindings(Bindings bindings, int scope) { - getContext().setBindings(bindings, scope); - } - - public Bindings createBindings() { - return new SimpleBindings(); - } - - public ScriptContext getContext() { - return defaultContext; - } - - public void setContext(ScriptContext context) { - defaultContext = context; - } - - public ScriptEngineFactory getFactory() { - return myFactory; - } - - public CompiledScript compile(String script) throws ScriptException { - return compile(new StringReader(script)); - } - - public CompiledScript compile(Reader reader) throws ScriptException { - try { - InputStream ris = new Utf8Encoder(reader); - try { - final LuaFunction f = LoadState.load(ris, "script", null); - if ( f.isclosure() ) { - // most compiled functions are closures with prototypes - final Prototype p = f.checkclosure().p; - return new CompiledScriptImpl() { - protected LuaFunction newFunctionInstance() { - return new LuaClosure( p, null ); - } - }; - } else { - // when luajc is used, functions are java class instances - final Class c = f.getClass(); - return new CompiledScriptImpl() { - protected LuaFunction newFunctionInstance() throws ScriptException { - try { - return (LuaFunction) c.newInstance(); - } catch (Exception e) { - throw new ScriptException("instantiation failed: "+e.toString()); - } - } - }; - } - } catch ( LuaError lee ) { - throw new ScriptException(lee.getMessage() ); - } finally { - ris.close(); - } - } catch ( Exception e ) { - throw new ScriptException("eval threw "+e.toString()); - } - } - - abstract protected class CompiledScriptImpl extends CompiledScript { - abstract protected LuaFunction newFunctionInstance() throws ScriptException; - public ScriptEngine getEngine() { - return LuaScriptEngine.this; - } - public Object eval(ScriptContext context) throws ScriptException { - Bindings b = context.getBindings(ScriptContext.ENGINE_SCOPE); - LuaFunction f = newFunctionInstance(); - ClientBindings cb = new ClientBindings(b); - f.setfenv(cb.env); - Varargs result = f.invoke(LuaValue.NONE); - cb.copyGlobalsToBindings(); - return result; - } - } - - public class ClientBindings { - public final Bindings b; - public final LuaTable env; - public ClientBindings( Bindings b ) { - this.b = b; - this.env = new LuaTable(); - env.setmetatable(LuaTable.tableOf(new LuaValue[] { LuaValue.INDEX, _G })); - this.copyBindingsToGlobals(); - } - public void copyBindingsToGlobals() { - for ( Iterator i = b.keySet().iterator(); i.hasNext(); ) { - String key = (String) i.next(); - Object val = b.get(key); - LuaValue luakey = toLua(key); - LuaValue luaval = toLua(val); - env.set(luakey, luaval); - i.remove(); - } - } - private LuaValue toLua(Object javaValue) { - return javaValue == null? LuaValue.NIL: - javaValue instanceof LuaValue? (LuaValue) javaValue: - CoerceJavaToLua.coerce(javaValue); - } - public void copyGlobalsToBindings() { - LuaValue[] keys = env.keys(); - for ( int i=0; i 0 ) - return buf[--n]; - int c = r.read(); - if ( c < 0x80 ) - return c; - n = 0; - if ( c < 0x800 ) { - buf[n++] = (0x80 | ( c & 0x3f)); - return (0xC0 | ((c>>6) & 0x1f)); - } else { - buf[n++] = (0x80 | ( c & 0x3f)); - buf[n++] = (0x80 | ((c>>6) & 0x3f)); - return (0xE0 | ((c>>12) & 0x0f)); - } - } - } -} diff --git a/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngineFactory.java b/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngineFactory.java deleted file mode 100644 index ac5b0a8b5..000000000 --- a/luaj-2.0.3/src/jse/org/luaj/vm2/script/LuaScriptEngineFactory.java +++ /dev/null @@ -1,134 +0,0 @@ -/******************************************************************************* -* Copyright (c) 2008 LuaJ. All rights reserved. -* -* Permission is hereby granted, free of charge, to any person obtaining a copy -* of this software and associated documentation files (the "Software"), to deal -* in the Software without restriction, including without limitation the rights -* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell -* copies of the Software, and to permit persons to whom the Software is -* furnished to do so, subject to the following conditions: -* -* The above copyright notice and this permission notice shall be included in -* all copies or substantial portions of the Software. -* -* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR -* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, -* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE -* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER -* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, -* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN -* THE SOFTWARE. -******************************************************************************/ -package org.luaj.vm2.script; - -import java.util.Arrays; -import java.util.List; - -import javax.script.ScriptEngine; -import javax.script.ScriptEngineFactory; - -/** - * Jsr 223 scripting engine factory - */ -public class LuaScriptEngineFactory implements ScriptEngineFactory { - - private static final String [] EXTENSIONS = { - "lua", - ".lua", - }; - - private static final String [] MIMETYPES = { - "text/plain", - "text/lua", - "application/lua" - }; - - private static final String [] NAMES = { - "lua", - "luaj", - }; - - private static final ThreadLocal engines - = new ThreadLocal(); - private List extensions; - private List mimeTypes; - private List names; - - - public LuaScriptEngineFactory() { - extensions = Arrays.asList(EXTENSIONS); - mimeTypes = Arrays.asList(MIMETYPES); - names = Arrays.asList(NAMES); - } - - public String getEngineName() { - return getScriptEngine().get(ScriptEngine.ENGINE).toString(); - } - - public String getEngineVersion() { - return getScriptEngine().get(ScriptEngine.ENGINE_VERSION).toString(); - } - - public List getExtensions() { - return extensions; - } - - public List getMimeTypes() { - return mimeTypes; - } - - public List getNames() { - return names; - } - - public String getLanguageName() { - return getScriptEngine().get(ScriptEngine.LANGUAGE).toString(); - } - - public String getLanguageVersion() { - return getScriptEngine().get(ScriptEngine.LANGUAGE_VERSION).toString(); - } - - public Object getParameter(String key) { - return getScriptEngine().get(key).toString(); - } - - public String getMethodCallSyntax(String obj, String m, String... args) { - StringBuffer sb = new StringBuffer(); - sb.append(obj + ":" + m + "("); - int len = args.length; - for (int i = 0; i < len; i++) { - if (i > 0) { - sb.append(','); - } - sb.append(args[i]); - } - sb.append(")"); - return sb.toString(); - } - - public String getOutputStatement(String toDisplay) { - return "print(" + toDisplay + ")"; - } - - public String getProgram(String ... statements) { - StringBuffer sb = new StringBuffer(); - int len = statements.length; - for (int i = 0; i < len; i++) { - if (i > 0) { - sb.append('\n'); - } - sb.append(statements[i]); - } - return sb.toString(); - } - - public ScriptEngine getScriptEngine() { - ScriptEngine eng = engines.get(); - if ( eng == null ) { - eng = new LuaScriptEngine(); - engines.set(eng); - } - return eng; - } -} diff --git a/luaj-2.0.3/version.properties b/luaj-2.0.3/version.properties deleted file mode 100644 index e83376fb9..000000000 --- a/luaj-2.0.3/version.properties +++ /dev/null @@ -1 +0,0 @@ -version: 2.0.3 \ No newline at end of file diff --git a/luaj-2.0.3/wtk.xml b/luaj-2.0.3/wtk.xml deleted file mode 100644 index afeaef79a..000000000 --- a/luaj-2.0.3/wtk.xml +++ /dev/null @@ -1,25 +0,0 @@ - - - - WTK_HOME from env ${env.WTK_HOME} - - - - - - - - - - - - - - Using WTK found in ${wtk.home} - - - - - - -