From f8eb430dd6d8e5f531c2e6c69cbf4c8f84c63747 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 5 Dec 2019 11:48:38 +0100 Subject: [PATCH 01/38] wip: Oracle --- buildNumber.properties | 4 ++-- dependency-reduced-pom.xml | 2 +- pom.xml | 8 ++++++++ src/main/java/be/ugent/rml/DatabaseType.java | 17 ++++++++--------- .../java/be/ugent/rml/access/RDBAccess.java | 12 +++++++++--- 5 files changed, 28 insertions(+), 15 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index 123f434c..b974b156 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Tue Nov 19 11:48:03 CET 2019 -buildNumber0=144 +#Thu Dec 05 10:59:52 CET 2019 +buildNumber0=145 diff --git a/dependency-reduced-pom.xml b/dependency-reduced-pom.xml index 5f5daeeb..34c6c502 100644 --- a/dependency-reduced-pom.xml +++ b/dependency-reduced-pom.xml @@ -3,7 +3,7 @@ 4.0.0 be.ugent.rml rmlmapper - 4.5.1 + 4.6.0 scm:git:ssh://git@github.com:RMLio/rmlmapper-java.git https://github.com/RMLio/rmlmapper-java diff --git a/pom.xml b/pom.xml index 6c74eabd..3e0f6bd4 100644 --- a/pom.xml +++ b/pom.xml @@ -91,6 +91,14 @@ 7.2.2.jre8 test + + + + com.oracle + ojdbc8 + 12.2.0.1 + true + com.googlecode.zohhak zohhak diff --git a/src/main/java/be/ugent/rml/DatabaseType.java b/src/main/java/be/ugent/rml/DatabaseType.java index ee544dd9..9fe9634a 100644 --- a/src/main/java/be/ugent/rml/DatabaseType.java +++ b/src/main/java/be/ugent/rml/DatabaseType.java @@ -1,16 +1,14 @@ package be.ugent.rml; /* - NOTE: Oracle is disabled because there are multiple drivers possible: http://www.orafaq.com/wiki/JDBC - + NOTE: The Oracle driver has to be installed manually, because it's not on Maven due to licensing. */ - public class DatabaseType { public static final String MYSQL = "com.mysql.cj.jdbc.Driver"; public static final String POSTGRES = "org.postgresql.Driver"; public static final String SQL_SERVER = "com.microsoft.sqlserver.jdbc.SQLServerDriver"; - //public static final String ORACLE = "oracle.jdbc.driver.OracleDrive"; + public static final String ORACLE = "oracle.jdbc.OracleDriver"; public static final String DB2 = "com.ibm.as400.access.AS400JDBCDriver"; /* public static final String JAVA_DB = ; @@ -25,7 +23,7 @@ public enum Database { MYSQL ("mysql"), POSTGRES ("postgresql"), SQL_SERVER ("sqlserver"), - //ORACLE (""), + ORACLE ("oracle:thin"), DB2 ("as400"); private final String name; @@ -50,8 +48,8 @@ public static Database getDBtype(String db) { return Database.POSTGRES; } else if (db_lower.contains("sqlserver")) { return Database.SQL_SERVER; - // } else if (db_lower.contains("oracle")) { - // return Database.ORACLE; + } else if (db_lower.contains("oracle")) { + return Database.ORACLE; } else if (db_lower.contains("ibm")) { return Database.DB2; } else { @@ -73,11 +71,12 @@ public static String getDriver(Database db) { case SQL_SERVER: return SQL_SERVER; - // case ORACLE: - // return ORACLE; + case ORACLE: + return ORACLE; case DB2: return DB2; + default: throw new Error("Couldn't find a driver for the given DB: " + db); } diff --git a/src/main/java/be/ugent/rml/access/RDBAccess.java b/src/main/java/be/ugent/rml/access/RDBAccess.java index c742d86a..008a0763 100644 --- a/src/main/java/be/ugent/rml/access/RDBAccess.java +++ b/src/main/java/be/ugent/rml/access/RDBAccess.java @@ -53,7 +53,8 @@ public InputStream getInputStream() throws IOException { Connection connection = null; Statement statement = null; String jdbcDriver = DatabaseType.getDriver(database); - String jdbcDSN = "jdbc:" + database.toString() + "://" + dsn; + // TODO: I added the '@' to work with Oracle, but we need to do different things for the differen DBs! + String jdbcDSN = "jdbc:" + database.toString() + ":@//" + dsn; InputStream inputStream = null; try { @@ -62,8 +63,13 @@ public InputStream getInputStream() throws IOException { // Open connection String connectionString = jdbcDSN; - if (!connectionString.contains("user=")) { - connectionString += "?user=" + username + "&password=" + password; + + if (username != null && !username.equals("") && password != null && !password.equals("")) { + if (database == DatabaseType.Database.ORACLE) { + connectionString = connectionString.replace(":@", ":" + username + "/" + password + "@"); + } else if (!connectionString.contains("user=")) { + connectionString += "?user=" + username + "&password=" + password; + } } if (database == DatabaseType.Database.MYSQL) { From 1a44f0ff6b3c95407fc0011b2a9a960aef1e524c Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 5 Dec 2019 12:03:34 +0100 Subject: [PATCH 02/38] cleaning --- src/main/java/be/ugent/rml/DatabaseType.java | 78 +++++++++++--------- 1 file changed, 44 insertions(+), 34 deletions(-) diff --git a/src/main/java/be/ugent/rml/DatabaseType.java b/src/main/java/be/ugent/rml/DatabaseType.java index 9fe9634a..c5665332 100644 --- a/src/main/java/be/ugent/rml/DatabaseType.java +++ b/src/main/java/be/ugent/rml/DatabaseType.java @@ -1,57 +1,67 @@ package be.ugent.rml; +import java.util.Arrays; +import java.util.List; + /* NOTE: The Oracle driver has to be installed manually, because it's not on Maven due to licensing. */ public class DatabaseType { - public static final String MYSQL = "com.mysql.cj.jdbc.Driver"; - public static final String POSTGRES = "org.postgresql.Driver"; - public static final String SQL_SERVER = "com.microsoft.sqlserver.jdbc.SQLServerDriver"; - public static final String ORACLE = "oracle.jdbc.OracleDriver"; - public static final String DB2 = "com.ibm.as400.access.AS400JDBCDriver"; - /* - public static final String JAVA_DB = ; - public static final String SYBASE = ; - */ + private static final String MYSQL_DRIVER = "com.mysql.cj.jdbc.Driver"; + private static final String POSTGRESQL_DRIVER = "org.postgresql.Driver"; + private static final String SQLSERVER_DRIVER = "com.microsoft.sqlserver.jdbc.SQLServerDriver"; + private static final String ORACLE_DRIVER = "oracle.jdbc.OracleDriver"; + private static final String DB2_DRIVER = "com.ibm.as400.access.AS400JDBCDriver"; /* - Used to abstract as much as possible - Name fields are used to create JDBC connection strings in @RDBs + jdbcPrefix fields are used to create JDBC connection strings in @RDBAccess */ public enum Database { - MYSQL ("mysql"), - POSTGRES ("postgresql"), - SQL_SERVER ("sqlserver"), - ORACLE ("oracle:thin"), - DB2 ("as400"); + MYSQL ("MySQL", "mysql", "mysql"), + POSTGRES ("PostgreSQL", "postgresql", "postgres"), + SQL_SERVER ("Microsoft SQL Server", "sqlserver", "sqlserver"), + ORACLE ("Oracle", "oracle:thin", "oracle"), + DB2 ("IBM DB2", "as400", "ibm"); private final String name; + private final String jdbcPrefix; + private final String driverSubstring; - private Database(String s) { - name = s; + private Database(String name, String jdbcPrefix, String driverSubstring) { + this.name = name; + this.jdbcPrefix = jdbcPrefix; + this.driverSubstring = driverSubstring; } public String toString() { return this.name; } + + public String getJDBCPrefix() { + return this.jdbcPrefix; + } + + public String getDriverSubstring() { + return this.driverSubstring; + } } /* Retrieves the Database enum type from a given (driver) string */ public static Database getDBtype(String db) { - String db_lower = db.toLowerCase(); - if (db_lower.contains("mysql")) { - return Database.MYSQL; - } else if (db_lower.contains("postgres")) { - return Database.POSTGRES; - } else if (db_lower.contains("sqlserver")) { - return Database.SQL_SERVER; - } else if (db_lower.contains("oracle")) { - return Database.ORACLE; - } else if (db_lower.contains("ibm")) { - return Database.DB2; + String dbLower = db.toLowerCase(); + List dbs = Arrays.asList(Database.values()); + + int i = 0; + + while (i < dbs.size() && !dbLower.contains(dbs.get(i).getDriverSubstring())) { + i ++; + } + + if (i < dbs.size()) { + return dbs.get(i); } else { throw new Error("Couldn't find a driver for the given DB: " + db); } @@ -63,19 +73,19 @@ public static Database getDBtype(String db) { public static String getDriver(Database db) { switch(db) { case MYSQL: - return MYSQL; + return MYSQL_DRIVER; case POSTGRES: - return POSTGRES; + return POSTGRESQL_DRIVER; case SQL_SERVER: - return SQL_SERVER; + return SQLSERVER_DRIVER; case ORACLE: - return ORACLE; + return ORACLE_DRIVER; case DB2: - return DB2; + return DB2_DRIVER; default: throw new Error("Couldn't find a driver for the given DB: " + db); From 15fa9fb51e76e8991d4e1759e558242e750de016 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 5 Dec 2019 17:02:35 +0100 Subject: [PATCH 03/38] upate database enums --- buildNumber.properties | 4 +- .../be/ugent/rml/DatabaseType.Database.html | 2 +- docs/apidocs/be/ugent/rml/DatabaseType.html | 2 +- .../rml/class-use/DatabaseType.Database.html | 4 +- .../be/ugent/rml/class-use/DatabaseType.html | 6 +- src/main/java/be/ugent/rml/DatabaseType.java | 94 ------------------- .../be/ugent/rml/access/AccessFactory.java | 11 +-- .../be/ugent/rml/access/DatabaseType.java | 79 ++++++++++++++++ .../java/be/ugent/rml/access/RDBAccess.java | 38 ++++---- 9 files changed, 111 insertions(+), 129 deletions(-) delete mode 100644 src/main/java/be/ugent/rml/DatabaseType.java create mode 100644 src/main/java/be/ugent/rml/access/DatabaseType.java diff --git a/buildNumber.properties b/buildNumber.properties index b974b156..9594d932 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Thu Dec 05 10:59:52 CET 2019 -buildNumber0=145 +#Thu Dec 05 16:51:33 CET 2019 +buildNumber0=146 diff --git a/docs/apidocs/be/ugent/rml/DatabaseType.Database.html b/docs/apidocs/be/ugent/rml/DatabaseType.Database.html index 94e305eb..7afd3979 100644 --- a/docs/apidocs/be/ugent/rml/DatabaseType.Database.html +++ b/docs/apidocs/be/ugent/rml/DatabaseType.Database.html @@ -104,7 +104,7 @@

Enum DatabaseType.Database<
  • java.lang.Enum<DatabaseType.Database>
    • -
    • be.ugent.rml.DatabaseType.Database
    • +
    • be.ugent.rml.DatabaseTypeOld.Database
  • diff --git a/docs/apidocs/be/ugent/rml/DatabaseType.html b/docs/apidocs/be/ugent/rml/DatabaseType.html index bc3cdad3..846f8a24 100644 --- a/docs/apidocs/be/ugent/rml/DatabaseType.html +++ b/docs/apidocs/be/ugent/rml/DatabaseType.html @@ -101,7 +101,7 @@

    Class DatabaseType

  • java.lang.Object
    • -
    • be.ugent.rml.DatabaseType
    • +
    • be.ugent.rml.DatabaseTypeOld
  • diff --git a/docs/apidocs/be/ugent/rml/class-use/DatabaseType.Database.html b/docs/apidocs/be/ugent/rml/class-use/DatabaseType.Database.html index f1b4b106..ded08104 100644 --- a/docs/apidocs/be/ugent/rml/class-use/DatabaseType.Database.html +++ b/docs/apidocs/be/ugent/rml/class-use/DatabaseType.Database.html @@ -4,7 +4,7 @@ -Uses of Class be.ugent.rml.DatabaseType.Database (rmlmapper 4.5.0 API) +Uses of Class be.ugent.rml.DatabaseTypeOld.Database (rmlmapper 4.5.0 API) @@ -71,7 +71,7 @@
    -

    Uses of Class
    be.ugent.rml.DatabaseType.Database

    +

    Uses of Class
    be.ugent.rml.DatabaseTypeOld.DatabaseType

      diff --git a/docs/apidocs/be/ugent/rml/class-use/DatabaseType.html b/docs/apidocs/be/ugent/rml/class-use/DatabaseType.html index bc0f3886..b6c97dcb 100644 --- a/docs/apidocs/be/ugent/rml/class-use/DatabaseType.html +++ b/docs/apidocs/be/ugent/rml/class-use/DatabaseType.html @@ -4,7 +4,7 @@ -Uses of Class be.ugent.rml.DatabaseType (rmlmapper 4.5.0 API) +Uses of Class be.ugent.rml.DatabaseTypeOld (rmlmapper 4.5.0 API) @@ -71,9 +71,9 @@
    -

    Uses of Class
    be.ugent.rml.DatabaseType

    +

    Uses of Class
    be.ugent.rml.DatabaseTypeOld

    -
    No usage of be.ugent.rml.DatabaseType
    +
    No usage of be.ugent.rml.DatabaseTypeOld
    diff --git a/src/main/java/be/ugent/rml/DatabaseType.java b/src/main/java/be/ugent/rml/DatabaseType.java deleted file mode 100644 index c5665332..00000000 --- a/src/main/java/be/ugent/rml/DatabaseType.java +++ /dev/null @@ -1,94 +0,0 @@ -package be.ugent.rml; - -import java.util.Arrays; -import java.util.List; - -/* - NOTE: The Oracle driver has to be installed manually, because it's not on Maven due to licensing. - */ -public class DatabaseType { - - private static final String MYSQL_DRIVER = "com.mysql.cj.jdbc.Driver"; - private static final String POSTGRESQL_DRIVER = "org.postgresql.Driver"; - private static final String SQLSERVER_DRIVER = "com.microsoft.sqlserver.jdbc.SQLServerDriver"; - private static final String ORACLE_DRIVER = "oracle.jdbc.OracleDriver"; - private static final String DB2_DRIVER = "com.ibm.as400.access.AS400JDBCDriver"; - - /* - jdbcPrefix fields are used to create JDBC connection strings in @RDBAccess - */ - public enum Database { - MYSQL ("MySQL", "mysql", "mysql"), - POSTGRES ("PostgreSQL", "postgresql", "postgres"), - SQL_SERVER ("Microsoft SQL Server", "sqlserver", "sqlserver"), - ORACLE ("Oracle", "oracle:thin", "oracle"), - DB2 ("IBM DB2", "as400", "ibm"); - - private final String name; - private final String jdbcPrefix; - private final String driverSubstring; - - private Database(String name, String jdbcPrefix, String driverSubstring) { - this.name = name; - this.jdbcPrefix = jdbcPrefix; - this.driverSubstring = driverSubstring; - } - - public String toString() { - return this.name; - } - - public String getJDBCPrefix() { - return this.jdbcPrefix; - } - - public String getDriverSubstring() { - return this.driverSubstring; - } - } - - /* - Retrieves the Database enum type from a given (driver) string - */ - public static Database getDBtype(String db) { - String dbLower = db.toLowerCase(); - List dbs = Arrays.asList(Database.values()); - - int i = 0; - - while (i < dbs.size() && !dbLower.contains(dbs.get(i).getDriverSubstring())) { - i ++; - } - - if (i < dbs.size()) { - return dbs.get(i); - } else { - throw new Error("Couldn't find a driver for the given DB: " + db); - } - } - - /* - Retrieves the JDBC driver URL from a given Database enum type - */ - public static String getDriver(Database db) { - switch(db) { - case MYSQL: - return MYSQL_DRIVER; - - case POSTGRES: - return POSTGRESQL_DRIVER; - - case SQL_SERVER: - return SQLSERVER_DRIVER; - - case ORACLE: - return ORACLE_DRIVER; - - case DB2: - return DB2_DRIVER; - - default: - throw new Error("Couldn't find a driver for the given DB: " + db); - } - } -} diff --git a/src/main/java/be/ugent/rml/access/AccessFactory.java b/src/main/java/be/ugent/rml/access/AccessFactory.java index e334ca41..a8591d19 100644 --- a/src/main/java/be/ugent/rml/access/AccessFactory.java +++ b/src/main/java/be/ugent/rml/access/AccessFactory.java @@ -1,6 +1,5 @@ package be.ugent.rml.access; -import be.ugent.rml.DatabaseType; import be.ugent.rml.NAMESPACES; import be.ugent.rml.Utils; import be.ugent.rml.records.SPARQLResultFormat; @@ -60,14 +59,6 @@ public Access getAccess(Term logicalSource, QuadStore rmlStore) { switch(sourceType.get(0).getValue()) { case NAMESPACES.D2RQ + "Database": // RDBs - // Check if SQL version is given - List sqlVersion = Utils.getObjectsFromQuads(rmlStore.getQuads(logicalSource, new NamedNode(NAMESPACES.RR + "sqlVersion"), null)); - - if (sqlVersion.isEmpty()) { - // TODO see issue #130 - throw new Error("No SQL version identifier found."); - } - access = getRDBAccess(rmlStore, source, logicalSource); break; @@ -145,7 +136,7 @@ private RDBAccess getRDBAccess(QuadStore rmlStore, Term source, Term logicalSour throw new Error("The database source object " + source + " does not include a driver."); } - DatabaseType.Database database = DatabaseType.getDBtype(driverObject.get(0).getValue()); + DatabaseType database = DatabaseType.getDBtype(driverObject.get(0).getValue()); // - DSN List dsnObject = Utils.getObjectsFromQuads(rmlStore.getQuads(source, new NamedNode(NAMESPACES.D2RQ + "jdbcDSN"), null)); diff --git a/src/main/java/be/ugent/rml/access/DatabaseType.java b/src/main/java/be/ugent/rml/access/DatabaseType.java new file mode 100644 index 00000000..189c274b --- /dev/null +++ b/src/main/java/be/ugent/rml/access/DatabaseType.java @@ -0,0 +1,79 @@ +package be.ugent.rml.access; + +import java.util.Arrays; +import java.util.List; + +/* + NOTE: The Oracle driver has to be installed manually, because it's not on Maven due to licensing. + */ +public enum DatabaseType { + + MYSQL("MySQL", + "mysql:", + "mysql", + "com.mysql.cj.jdbc.Driver"), + POSTGRES("PostgreSQL", + "postgresql:", + "postgres", + "org.postgresql.Driver"), + SQL_SERVER("Microsoft SQL Server", + "sqlserver:", + "sqlserver", + "com.microsoft.sqlserver.jdbc.SQLServerDriver"), + ORACLE("Oracle", + "oracle:thin:@", + "oracle", + "oracle.jdbc.OracleDriver"), + DB2("IBM DB2", + "as400:", + "ibm", + "com.ibm.as400.access.AS400JDBCDriver"); + + private final String name; + private final String jdbcPrefix; + private final String driverSubstring; + private final String driver; + + private DatabaseType(String name, String jdbcPrefix, String driverSubstring, String driver) { + this.name = name; + this.jdbcPrefix = jdbcPrefix; + this.driverSubstring = driverSubstring; + this.driver = driver; + } + + public String toString() { + return this.name; + } + + public String getJDBCPrefix() { + return this.jdbcPrefix; + } + + public String getDriverSubstring() { + return this.driverSubstring; + } + + public String getDriver() { + return this.driver; + } + + /* + Retrieves the Database enum type from a given (driver) string + */ + public static DatabaseType getDBtype(String db) { + String dbLower = db.toLowerCase(); + List dbs = Arrays.asList(DatabaseType.values()); + + int i = 0; + + while (i < dbs.size() && !dbLower.contains(dbs.get(i).getDriverSubstring())) { + i++; + } + + if (i < dbs.size()) { + return dbs.get(i); + } else { + throw new Error("Couldn't find a driver for the given DB: " + db); + } + } +} diff --git a/src/main/java/be/ugent/rml/access/RDBAccess.java b/src/main/java/be/ugent/rml/access/RDBAccess.java index 008a0763..b4e21bca 100644 --- a/src/main/java/be/ugent/rml/access/RDBAccess.java +++ b/src/main/java/be/ugent/rml/access/RDBAccess.java @@ -1,6 +1,5 @@ package be.ugent.rml.access; -import be.ugent.rml.DatabaseType; import org.apache.commons.csv.CSVFormat; import org.apache.commons.csv.CSVPrinter; @@ -17,7 +16,7 @@ public class RDBAccess implements Access { private String dsn; - private DatabaseType.Database database; + private DatabaseType databaseType; private String username; private String password; private String query; @@ -27,15 +26,15 @@ public class RDBAccess implements Access { /** * This constructor takes as arguments the dsn, database, username, password, query, and content type. * @param dsn the data source name. - * @param database the database type. + * @param databaseType the database type. * @param username the username of the user that executes the query. * @param password the password of the above user. * @param query the SQL query to use. * @param contentType the content type of the results. */ - public RDBAccess(String dsn, DatabaseType.Database database, String username, String password, String query, String contentType) { + public RDBAccess(String dsn, DatabaseType databaseType, String username, String password, String query, String contentType) { this.dsn = dsn; - this.database = database; + this.databaseType = databaseType; this.username = username; this.password = password; this.query = query; @@ -52,9 +51,8 @@ public InputStream getInputStream() throws IOException { // JDBC objects Connection connection = null; Statement statement = null; - String jdbcDriver = DatabaseType.getDriver(database); - // TODO: I added the '@' to work with Oracle, but we need to do different things for the differen DBs! - String jdbcDSN = "jdbc:" + database.toString() + ":@//" + dsn; + String jdbcDriver = databaseType.getDriver(); + String jdbcDSN = "jdbc:" + databaseType.getJDBCPrefix() + "//" + dsn; InputStream inputStream = null; try { @@ -63,20 +61,28 @@ public InputStream getInputStream() throws IOException { // Open connection String connectionString = jdbcDSN; + boolean alreadySomeQueryParametersPresent = false; if (username != null && !username.equals("") && password != null && !password.equals("")) { - if (database == DatabaseType.Database.ORACLE) { + if (databaseType == DatabaseType.ORACLE) { connectionString = connectionString.replace(":@", ":" + username + "/" + password + "@"); } else if (!connectionString.contains("user=")) { connectionString += "?user=" + username + "&password=" + password; + alreadySomeQueryParametersPresent = true; } } - if (database == DatabaseType.Database.MYSQL) { - connectionString += "&serverTimezone=UTC&useSSL=false"; + if (databaseType == DatabaseType.MYSQL) { + if (alreadySomeQueryParametersPresent) { + connectionString += "&"; + } else { + connectionString += "?"; + } + + connectionString += "serverTimezone=UTC&useSSL=false"; } - if (database == DatabaseType.Database.SQL_SERVER) { + if (databaseType == DatabaseType.SQL_SERVER) { connectionString = connectionString.replaceAll("\\?|&", ";"); if (!connectionString.endsWith(";")) { @@ -249,7 +255,7 @@ public boolean equals(Object o) { RDBAccess access = (RDBAccess) o; return dsn.equals(access.getDSN()) - && database.equals(access.getDatabase()) + && databaseType.equals(access.getDatabaseType()) && username.equals(access.getUsername()) && password.equals(access.getPassword()) && query.equals(access.getQuery()) @@ -261,7 +267,7 @@ public boolean equals(Object o) { @Override public int hashCode() { - return getHashOfString(getDSN() + getDatabase() + getUsername() + getPassword() + getQuery() + getContentType()); + return getHashOfString(getDSN() + getDatabaseType() + getUsername() + getPassword() + getQuery() + getContentType()); } /** @@ -276,8 +282,8 @@ public String getDSN() { * This method returns the database type. * @return the database type. */ - public DatabaseType.Database getDatabase() { - return database; + public DatabaseType getDatabaseType() { + return databaseType; } /** From ecedb1f6fa8713289acbffac53f0cb4f7f220826 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 12 Dec 2019 17:04:33 +0100 Subject: [PATCH 04/38] wip: fixing tests --- buildNumber.properties | 4 ++-- .../java/be/ugent/rml/records/CSVRecord.java | 10 +++++----- .../java/be/ugent/rml/Mapper_MySQL_Test.java | 17 +++++++++-------- src/test/java/be/ugent/rml/TestCore.java | 8 ++++++-- 4 files changed, 22 insertions(+), 17 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index 9594d932..db539281 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Thu Dec 05 16:51:33 CET 2019 -buildNumber0=146 +#Thu Dec 12 16:15:12 CET 2019 +buildNumber0=147 diff --git a/src/main/java/be/ugent/rml/records/CSVRecord.java b/src/main/java/be/ugent/rml/records/CSVRecord.java index 756092a9..07098f95 100644 --- a/src/main/java/be/ugent/rml/records/CSVRecord.java +++ b/src/main/java/be/ugent/rml/records/CSVRecord.java @@ -44,13 +44,13 @@ public List get(String value) { List result = new ArrayList<>(); Object obj; - try { +// try { obj = this.record.get(value); result.add(obj); - } catch (Exception e) { - e.printStackTrace(); - return result; - } +// } catch (Exception e) { +// e.printStackTrace(); +// return result; +// } return result; } diff --git a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java index 08d65c9d..d52924fe 100644 --- a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java @@ -92,15 +92,10 @@ public static Iterable data() { @Test public void doMapping() throws Exception { - //setup expected exception - if (expectedException != null) { - thrown.expect(expectedException); - } - - mappingTest(testCaseName); + mappingTest(testCaseName, expectedException); } - private void mappingTest(String testCaseName) throws Exception { + private void mappingTest(String testCaseName, Class expectedException) throws Exception { String resourcePath = "test-cases/" + testCaseName + "-MySQL/resource.sql"; String mappingPath = "./test-cases/" + testCaseName + "-MySQL/mapping.ttl"; String outputPath = "test-cases/" + testCaseName + "-MySQL/output.nq"; @@ -111,7 +106,13 @@ private void mappingTest(String testCaseName) throws Exception { mysqlDB.source(resourcePath); // mapping - doMapping(tempMappingPath, outputPath); + + if (expectedException == null) { + doMapping(tempMappingPath, outputPath); + } else { + doMappingExpectError(tempMappingPath); + } + deleteTempMappingFile(tempMappingPath); } } diff --git a/src/test/java/be/ugent/rml/TestCore.java b/src/test/java/be/ugent/rml/TestCore.java index 0afd8f75..13ea8574 100644 --- a/src/test/java/be/ugent/rml/TestCore.java +++ b/src/test/java/be/ugent/rml/TestCore.java @@ -116,10 +116,14 @@ void doMapping(Executor executor, String outPath) { void doMappingExpectError(String mapPath) { ClassLoader classLoader = getClass().getClassLoader(); - // execute mapping file - File mappingFile = new File(classLoader.getResource(mapPath).getFile()); + File mappingFile = new File(mapPath); + + if (!mappingFile.isAbsolute()) { + mappingFile = new File(classLoader.getResource(mapPath).getFile()); + } QuadStore rmlStore = null; + try { rmlStore = QuadStoreFactory.read(mappingFile); } catch (Exception e) { From dcb1523732605eba4677815a67fb8a5823b9e3df Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 19 Dec 2019 14:27:58 +0100 Subject: [PATCH 05/38] fixing tests --- buildNumber.properties | 4 +-- src/main/java/be/ugent/rml/Executor.java | 3 +- .../java/be/ugent/rml/MappingFactory.java | 9 ++++-- src/main/java/be/ugent/rml/access/Access.java | 3 +- .../be/ugent/rml/access/AccessFactory.java | 2 ++ .../java/be/ugent/rml/access/RDBAccess.java | 4 +-- .../ugent/rml/records/CSVRecordFactory.java | 5 +-- .../be/ugent/rml/records/IteratorFormat.java | 3 +- .../be/ugent/rml/records/RecordsFactory.java | 5 +-- .../ReferenceFormulationRecordFactory.java | 3 +- .../java/be/ugent/rml/store/RDF4JStore.java | 2 +- .../java/be/ugent/rml/Mapper_CSV_Test.java | 4 +-- .../java/be/ugent/rml/Mapper_JSON_Test.java | 2 +- .../java/be/ugent/rml/Mapper_MySQL_Test.java | 8 ++--- .../be/ugent/rml/Mapper_Postgres_Test.java | 6 ++-- .../be/ugent/rml/Mapper_SQLServer_Test.java | 6 ++-- .../java/be/ugent/rml/Mapper_XML_Test.java | 2 +- src/test/java/be/ugent/rml/MySQLTestCore.java | 1 + src/test/java/be/ugent/rml/TestCore.java | 2 +- .../test-cases/RMLTC0002j-MySQL/mapping.ttl | 8 ++--- .../test-cases/RMLTC0002j-MySQL/output.nq | 1 + .../RMLTC0002j-PostgreSQL/mapping.ttl | 8 ++--- .../RMLTC0002j-PostgreSQL/output.nq | 1 + .../RMLTC0002j-SQLServer/mapping.ttl | 8 ++--- .../test-cases/RMLTC0002j-SQLServer/output.nq | 1 + .../test-cases/RMLTC0005b-MySQL/mapping.ttl | 2 +- .../test-cases/RMLTC0005b-MySQL/output.nq | 16 +++++----- .../RMLTC0005b-PostgreSQL/mapping.ttl | 2 +- .../RMLTC0005b-PostgreSQL/output.nq | 16 +++++----- .../RMLTC0005b-SQLServer/mapping.ttl | 2 +- .../test-cases/RMLTC0005b-SQLServer/output.nq | 16 +++++----- .../test-cases/RMLTC0007h-CSV/mapping.ttl | 2 +- .../test-cases/RMLTC0007h-JSON/mapping.ttl | 2 +- .../test-cases/RMLTC0007h-MySQL/mapping.ttl | 4 +-- .../RMLTC0007h-PostgreSQL/mapping.ttl | 2 +- .../test-cases/RMLTC0007h-SPARQL/mapping.ttl | 2 +- .../RMLTC0007h-SQLServer/mapping.ttl | 2 +- .../test-cases/RMLTC0012a-MySQL/mapping.ttl | 2 +- .../test-cases/RMLTC0012a-MySQL/output.nq | 9 +++--- .../RMLTC0012a-PostgreSQL/mapping.ttl | 2 +- .../RMLTC0012a-PostgreSQL/output.nq | 9 +++--- .../RMLTC0012a-SQLServer/mapping.ttl | 2 +- .../test-cases/RMLTC0012a-SQLServer/output.nq | 9 +++--- .../test-cases/RMLTC0012e-MySQL/mapping.ttl | 4 +-- .../test-cases/RMLTC0012e-MySQL/output.nq | 32 +++++++++---------- .../RMLTC0012e-PostgreSQL/mapping.ttl | 4 +-- .../RMLTC0012e-PostgreSQL/output.nq | 32 +++++++++---------- 47 files changed, 144 insertions(+), 130 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index db539281..a275ef2b 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Thu Dec 12 16:15:12 CET 2019 -buildNumber0=147 +#Thu Dec 19 14:16:18 CET 2019 +buildNumber0=148 diff --git a/src/main/java/be/ugent/rml/Executor.java b/src/main/java/be/ugent/rml/Executor.java index 22d6cd25..b1710eba 100644 --- a/src/main/java/be/ugent/rml/Executor.java +++ b/src/main/java/be/ugent/rml/Executor.java @@ -16,6 +16,7 @@ import org.slf4j.LoggerFactory; import java.io.IOException; +import java.sql.SQLException; import java.util.*; import java.util.function.BiConsumer; @@ -322,7 +323,7 @@ private List getAllIRIs(Term triplesMap) throws Exception { return iris; } - private List getRecords(Term triplesMap) throws IOException { + private List getRecords(Term triplesMap) throws IOException, SQLException, ClassNotFoundException { if (!this.recordsHolders.containsKey(triplesMap)) { this.recordsHolders.put(triplesMap, this.recordsFactory.createRecords(triplesMap, this.rmlStore)); } diff --git a/src/main/java/be/ugent/rml/MappingFactory.java b/src/main/java/be/ugent/rml/MappingFactory.java index 0ad1fd97..e48215c6 100644 --- a/src/main/java/be/ugent/rml/MappingFactory.java +++ b/src/main/java/be/ugent/rml/MappingFactory.java @@ -14,6 +14,7 @@ import org.slf4j.Logger; import org.slf4j.LoggerFactory; +import javax.naming.Name; import java.io.IOException; import java.util.ArrayList; import java.util.HashMap; @@ -110,7 +111,7 @@ private void parseSubjectMap() throws Exception { } } - private void parsePredicateObjectMaps() throws IOException { + private void parsePredicateObjectMaps() throws Exception { List predicateobjectmaps = Utils.getObjectsFromQuads(store.getQuads(triplesMap, new NamedNode(NAMESPACES.RR + "predicateObjectMap"), null)); for (Term pom : predicateobjectmaps) { @@ -279,7 +280,7 @@ private void parseObjectMapWithCallback(Term objectmap, BiConsumer parseGraphMapsAndShortcuts(Term termMap) throws IOException { + private List parseGraphMapsAndShortcuts(Term termMap) throws Exception { ArrayList graphMappingInfos = new ArrayList<>(); List graphMaps = Utils.getObjectsFromQuads(store.getQuads(termMap, new NamedNode(NAMESPACES.RR + "graphMap"), null)); @@ -291,6 +292,10 @@ private List parseGraphMapsAndShortcuts(Term termMap) throws IOExce if (!termTypes.isEmpty()) { termType = termTypes.get(0); + + if (termType.equals(new NamedNode(NAMESPACES.RR + "Literal"))) { + throw new Exception("A Graph Map cannot generate literals."); + } } TermGenerator generator; diff --git a/src/main/java/be/ugent/rml/access/Access.java b/src/main/java/be/ugent/rml/access/Access.java index 882bbb74..690ed7af 100644 --- a/src/main/java/be/ugent/rml/access/Access.java +++ b/src/main/java/be/ugent/rml/access/Access.java @@ -2,6 +2,7 @@ import java.io.IOException; import java.io.InputStream; +import java.sql.SQLException; import java.util.Map; /** @@ -15,7 +16,7 @@ public interface Access { * @return the InputStream corresponding to the access. * @throws IOException */ - InputStream getInputStream() throws IOException; + InputStream getInputStream() throws IOException, SQLException, ClassNotFoundException; /** * This method returns a map of datatypes. diff --git a/src/main/java/be/ugent/rml/access/AccessFactory.java b/src/main/java/be/ugent/rml/access/AccessFactory.java index a8591d19..50fab061 100644 --- a/src/main/java/be/ugent/rml/access/AccessFactory.java +++ b/src/main/java/be/ugent/rml/access/AccessFactory.java @@ -157,6 +157,8 @@ private RDBAccess getRDBAccess(QuadStore rmlStore, Term source, Term logicalSour // TODO better message (include Triples Map somewhere) throw new Error("The Logical Source does not include a SQL query nor a target table."); + } else if (tables.get(0).getValue().equals("") || tables.get(0).getValue().equals("\"\"")) { + throw new Error("The table name of a database should not be empty."); } else { query = "SELECT * FROM " + tables.get(0).getValue(); } diff --git a/src/main/java/be/ugent/rml/access/RDBAccess.java b/src/main/java/be/ugent/rml/access/RDBAccess.java index b4e21bca..e02c7ff0 100644 --- a/src/main/java/be/ugent/rml/access/RDBAccess.java +++ b/src/main/java/be/ugent/rml/access/RDBAccess.java @@ -47,7 +47,7 @@ public RDBAccess(String dsn, DatabaseType databaseType, String username, String * @throws IOException */ @Override - public InputStream getInputStream() throws IOException { + public InputStream getInputStream() throws IOException, SQLException, ClassNotFoundException { // JDBC objects Connection connection = null; Statement statement = null; @@ -104,7 +104,7 @@ public InputStream getInputStream() throws IOException { connection.close(); } catch (Exception sqlE) { - sqlE.printStackTrace(); + throw sqlE; } finally { // finally block used to close resources diff --git a/src/main/java/be/ugent/rml/records/CSVRecordFactory.java b/src/main/java/be/ugent/rml/records/CSVRecordFactory.java index 9c93afdc..7bb49571 100644 --- a/src/main/java/be/ugent/rml/records/CSVRecordFactory.java +++ b/src/main/java/be/ugent/rml/records/CSVRecordFactory.java @@ -13,6 +13,7 @@ import java.io.IOException; import java.io.InputStream; import java.nio.charset.StandardCharsets; +import java.sql.SQLException; import java.util.ArrayList; import java.util.List; import java.util.stream.Collectors; @@ -31,7 +32,7 @@ public class CSVRecordFactory implements ReferenceFormulationRecordFactory { * @throws IOException */ @Override - public List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException { + public List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException, SQLException, ClassNotFoundException { List sources = Utils.getObjectsFromQuads(rmlStore.getQuads(logicalSource, new NamedNode(NAMESPACES.RML + "source"), null)); Term source = sources.get(0); CSVParser parser; @@ -72,7 +73,7 @@ public List getRecords(Access access, Term logicalSource, QuadStore rmlS * @return a CSVParser. * @throws IOException */ - private CSVParser getParserForNormalCSV(Access access) throws IOException { + private CSVParser getParserForNormalCSV(Access access) throws IOException, SQLException, ClassNotFoundException { CSVFormat csvFormat = CSVFormat.DEFAULT.withHeader().withSkipHeaderRecord(false); InputStream inputStream = access.getInputStream(); diff --git a/src/main/java/be/ugent/rml/records/IteratorFormat.java b/src/main/java/be/ugent/rml/records/IteratorFormat.java index ed96ef73..18858a49 100644 --- a/src/main/java/be/ugent/rml/records/IteratorFormat.java +++ b/src/main/java/be/ugent/rml/records/IteratorFormat.java @@ -11,6 +11,7 @@ import java.io.IOException; import java.io.InputStream; +import java.sql.SQLException; import java.util.HashMap; import java.util.List; @@ -32,7 +33,7 @@ public abstract class IteratorFormat implements ReferenceFormulat * @throws IOException */ @Override - public List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException { + public List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException, SQLException, ClassNotFoundException { // Check if the needed document is already in the cache. // If not, a new one is created, based on the InputStream from the access. if (! documentMap.containsKey(access)) { diff --git a/src/main/java/be/ugent/rml/records/RecordsFactory.java b/src/main/java/be/ugent/rml/records/RecordsFactory.java index acace483..201d1d85 100644 --- a/src/main/java/be/ugent/rml/records/RecordsFactory.java +++ b/src/main/java/be/ugent/rml/records/RecordsFactory.java @@ -10,6 +10,7 @@ import be.ugent.rml.term.Term; import java.io.IOException; +import java.sql.SQLException; import java.util.ArrayList; import java.util.HashMap; import java.util.List; @@ -41,7 +42,7 @@ public RecordsFactory(String basePath) { * @return a list of records. * @throws IOException */ - public List createRecords(Term triplesMap, QuadStore rmlStore) throws IOException { + public List createRecords(Term triplesMap, QuadStore rmlStore) throws IOException, SQLException, ClassNotFoundException { // Get Logical Sources. List logicalSources = Utils.getObjectsFromQuads(rmlStore.getQuads(triplesMap, new NamedNode(NAMESPACES.RML + "logicalSource"), null)); @@ -120,7 +121,7 @@ private void putRecordsIntoCache(Access access, String referenceFormulation, Str * @return a list of records. * @throws IOException */ - private List getRecords(Access access, Term logicalSource, String referenceFormulation, QuadStore rmlStore) throws IOException { + private List getRecords(Access access, Term logicalSource, String referenceFormulation, QuadStore rmlStore) throws IOException, SQLException, ClassNotFoundException { String logicalSourceHash = hashLogicalSource(logicalSource, rmlStore); // Try to get the records from the cache. diff --git a/src/main/java/be/ugent/rml/records/ReferenceFormulationRecordFactory.java b/src/main/java/be/ugent/rml/records/ReferenceFormulationRecordFactory.java index e819f4cc..4467e5fb 100644 --- a/src/main/java/be/ugent/rml/records/ReferenceFormulationRecordFactory.java +++ b/src/main/java/be/ugent/rml/records/ReferenceFormulationRecordFactory.java @@ -5,6 +5,7 @@ import be.ugent.rml.term.Term; import java.io.IOException; +import java.sql.SQLException; import java.util.List; /** @@ -20,5 +21,5 @@ public interface ReferenceFormulationRecordFactory { * @return a list of records. * @throws IOException */ - List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException; + List getRecords(Access access, Term logicalSource, QuadStore rmlStore) throws IOException, SQLException, ClassNotFoundException; } diff --git a/src/main/java/be/ugent/rml/store/RDF4JStore.java b/src/main/java/be/ugent/rml/store/RDF4JStore.java index 32091438..a3680069 100644 --- a/src/main/java/be/ugent/rml/store/RDF4JStore.java +++ b/src/main/java/be/ugent/rml/store/RDF4JStore.java @@ -287,7 +287,7 @@ private Term convertStringToTerm(String str) { } else if (hasDatatype) { pattern = Pattern.compile("^\"([^\"]*)\"\\^\\^<([^>]*)>"); } else { - pattern = Pattern.compile("^\"([^\"]*)\""); + pattern = Pattern.compile("^\"(.*)\"$", Pattern.DOTALL); } Matcher matcher = pattern.matcher(str); diff --git a/src/test/java/be/ugent/rml/Mapper_CSV_Test.java b/src/test/java/be/ugent/rml/Mapper_CSV_Test.java index d2ddf3c8..34d10668 100644 --- a/src/test/java/be/ugent/rml/Mapper_CSV_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_CSV_Test.java @@ -30,7 +30,7 @@ public void evaluate_0002b_CSV() { @Test public void evaluate_0002c_CSV() { - doMapping("./test-cases/RMLTC0002c-CSV/mapping.ttl", "./test-cases/RMLTC0002c-CSV/output.nq"); + doMappingExpectError("./test-cases/RMLTC0002c-CSV/mapping.ttl"); } @Test @@ -100,7 +100,7 @@ public void evaluate_0007g_CSV() { @Test public void evaluate_0007h_CSV() { - doMapping("./test-cases/RMLTC0007h-CSV/mapping.ttl", "./test-cases/RMLTC0007h-CSV/output.nq"); + doMappingExpectError("./test-cases/RMLTC0007h-CSV/mapping.ttl"); } @Test diff --git a/src/test/java/be/ugent/rml/Mapper_JSON_Test.java b/src/test/java/be/ugent/rml/Mapper_JSON_Test.java index 95eb9c27..063f47e2 100644 --- a/src/test/java/be/ugent/rml/Mapper_JSON_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_JSON_Test.java @@ -108,7 +108,7 @@ public void evaluate_0007g_JSON() { @Test public void evaluate_0007h_JSON() { - doMapping("./test-cases/RMLTC0007h-JSON/mapping.ttl", "./test-cases/RMLTC0007h-JSON/output.nq"); + doMappingExpectError("./test-cases/RMLTC0007h-JSON/mapping.ttl"); } @Test diff --git a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java index d52924fe..c5663ad0 100644 --- a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java @@ -34,8 +34,8 @@ public static Iterable data() { {"RMLTC0002d", null}, {"RMLTC0002e", Error.class}, // {"RMLTC0002f", null}, - {"RMLTC0002g", null}, - {"RMLTC0002h", null}, + {"RMLTC0002g", Error.class}, + {"RMLTC0002h", Error.class}, // TODO see issue #130 {"RMLTC0002i", Error.class}, {"RMLTC0002j", null}, @@ -55,7 +55,7 @@ public static Iterable data() { {"RMLTC0007e", null}, {"RMLTC0007f", null}, {"RMLTC0007g", null}, - {"RMLTC0007h", null}, + {"RMLTC0007h", Error.class}, {"RMLTC0008a", null}, {"RMLTC0008b", null}, {"RMLTC0008c", null}, @@ -72,7 +72,7 @@ public static Iterable data() { {"RMLTC0012b", null}, {"RMLTC0012c", Error.class}, {"RMLTC0012d", Error.class}, -// {"RMLTC0012e", null}, + {"RMLTC0012e", null}, // {"RMLTC0013a", null}, {"RMLTC0014d", null}, // {"RMLTC0015a", null}, diff --git a/src/test/java/be/ugent/rml/Mapper_Postgres_Test.java b/src/test/java/be/ugent/rml/Mapper_Postgres_Test.java index 15962b4f..2aee9dc4 100644 --- a/src/test/java/be/ugent/rml/Mapper_Postgres_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_Postgres_Test.java @@ -107,8 +107,8 @@ public static Iterable data() { {"RMLTC0002d", null}, {"RMLTC0002e", Error.class}, // {"RMLTC0002f", null}, - {"RMLTC0002g", null}, - {"RMLTC0002h", null}, + {"RMLTC0002g", Error.class}, + {"RMLTC0002h", Error.class}, {"RMLTC0002i", Error.class}, {"RMLTC0002j", null}, {"RMLTC0003a", Error.class}, @@ -126,7 +126,7 @@ public static Iterable data() { {"RMLTC0007e", null}, {"RMLTC0007f", null}, {"RMLTC0007g", null}, - {"RMLTC0007h", null}, + {"RMLTC0007h", Error.class}, {"RMLTC0008a", null}, {"RMLTC0008b", null}, {"RMLTC0008c", null}, diff --git a/src/test/java/be/ugent/rml/Mapper_SQLServer_Test.java b/src/test/java/be/ugent/rml/Mapper_SQLServer_Test.java index e9801af8..13e0234c 100644 --- a/src/test/java/be/ugent/rml/Mapper_SQLServer_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_SQLServer_Test.java @@ -120,8 +120,8 @@ public static Iterable data() { {"RMLTC0002d", null}, {"RMLTC0002e", Error.class}, // {"RMLTC0002f", null}, - {"RMLTC0002g", null}, - {"RMLTC0002h", null}, + {"RMLTC0002g", Error.class}, + {"RMLTC0002h", Error.class}, {"RMLTC0002i", Error.class}, {"RMLTC0002j", null}, {"RMLTC0003a", Error.class}, @@ -139,7 +139,7 @@ public static Iterable data() { {"RMLTC0007e", null}, {"RMLTC0007f", null}, {"RMLTC0007g", null}, - {"RMLTC0007h", null}, + {"RMLTC0007h", Error.class}, {"RMLTC0008a", null}, {"RMLTC0008b", null}, {"RMLTC0008c", null}, diff --git a/src/test/java/be/ugent/rml/Mapper_XML_Test.java b/src/test/java/be/ugent/rml/Mapper_XML_Test.java index a3ddb550..4712e7be 100644 --- a/src/test/java/be/ugent/rml/Mapper_XML_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_XML_Test.java @@ -100,7 +100,7 @@ public void evaluate_0007g_XML() { @Test public void evaluate_0007h_XML() { - doMapping("./test-cases/RMLTC0007h-XML/mapping.ttl", "./test-cases/RMLTC0007h-XML/output.nq"); + doMappingExpectError("./test-cases/RMLTC0007h-XML/mapping.ttl"); } @Test diff --git a/src/test/java/be/ugent/rml/MySQLTestCore.java b/src/test/java/be/ugent/rml/MySQLTestCore.java index 994f21cc..f09e22d6 100644 --- a/src/test/java/be/ugent/rml/MySQLTestCore.java +++ b/src/test/java/be/ugent/rml/MySQLTestCore.java @@ -39,6 +39,7 @@ public static void startDBs() throws Exception { DBConfigurationBuilder configBuilder = DBConfigurationBuilder.newBuilder(); configBuilder.setPort(PORTNUMBER_MYSQL); configBuilder.addArg("--user=root"); + configBuilder.addArg("--sql-mode=STRICT_TRANS_TABLES,ERROR_FOR_DIVISION_BY_ZERO,NO_AUTO_CREATE_USER,NO_ENGINE_SUBSTITUTION,ANSI_QUOTES"); mysqlDB = DB.newEmbeddedDB(configBuilder.build()); mysqlDB.start(); } diff --git a/src/test/java/be/ugent/rml/TestCore.java b/src/test/java/be/ugent/rml/TestCore.java index 13ea8574..fff17cc0 100644 --- a/src/test/java/be/ugent/rml/TestCore.java +++ b/src/test/java/be/ugent/rml/TestCore.java @@ -146,7 +146,7 @@ private void compareStores(QuadStore store1, QuadStore store2) { String string1 = store1.toSortedString(); String string2 = store2.toSortedString(); // First arg is expected, second is actual - assertEquals(string1, string2); + assertEquals(string2, string1); } void compareFiles(String path1, String path2, boolean removeTimestamps) { diff --git a/src/test/resources/test-cases/RMLTC0002j-MySQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0002j-MySQL/mapping.ttl index 1cc67696..b40af408 100644 --- a/src/test/resources/test-cases/RMLTC0002j-MySQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0002j-MySQL/mapping.ttl @@ -12,8 +12,8 @@ rml:logicalSource [ rml:source <#DB_source>; rr:sqlVersion rr:SQL2008; - rml:query "SELECT NoColumnName, Name FROM student"; - rr:tableName "student"; + rml:query "SELECT \"student\".\"ID\", \"student\".\"Name\" FROM student"; + rml:referenceFormulation ql:CSV ]; rr:subjectMap [ @@ -21,8 +21,8 @@ ]; rr:predicateObjectMap [ - rr:predicate ex:id ; - rr:objectMap [ rml:reference "IDs" ] + rr:predicate foaf:name ; + rr:objectMap [ rml:reference "Name" ] ]. <#DB_source> a d2rq:Database; diff --git a/src/test/resources/test-cases/RMLTC0002j-MySQL/output.nq b/src/test/resources/test-cases/RMLTC0002j-MySQL/output.nq index e69de29b..98205bd6 100644 --- a/src/test/resources/test-cases/RMLTC0002j-MySQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0002j-MySQL/output.nq @@ -0,0 +1 @@ + "Venus". \ No newline at end of file diff --git a/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/mapping.ttl index a5ce187f..5589935d 100644 --- a/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/mapping.ttl @@ -12,8 +12,8 @@ rml:logicalSource [ rml:source <#DB_source>; rr:sqlVersion rr:SQL2008; - rml:query "SELECT NoColumnName, Name FROM student"; - rr:tableName "student"; + rml:query "SELECT \"student\".\"ID\", \"student\".\"Name\" FROM student"; + rml:referenceFormulation ql:CSV ]; rr:subjectMap [ @@ -21,8 +21,8 @@ ]; rr:predicateObjectMap [ - rr:predicate ex:id ; - rr:objectMap [ rml:reference "IDs" ] + rr:predicate foaf:name ; + rr:objectMap [ rml:reference "Name" ] ]. <#DB_source> a d2rq:Database; diff --git a/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/output.nq b/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/output.nq index e69de29b..98205bd6 100644 --- a/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0002j-PostgreSQL/output.nq @@ -0,0 +1 @@ + "Venus". \ No newline at end of file diff --git a/src/test/resources/test-cases/RMLTC0002j-SQLServer/mapping.ttl b/src/test/resources/test-cases/RMLTC0002j-SQLServer/mapping.ttl index 6f749839..cc8590ef 100644 --- a/src/test/resources/test-cases/RMLTC0002j-SQLServer/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0002j-SQLServer/mapping.ttl @@ -12,8 +12,8 @@ rml:logicalSource [ rml:source <#DB_source>; rr:sqlVersion rr:SQL2008; - rml:query "SELECT NoColumnName, Name FROM student"; - rr:tableName "student"; + rml:query "SELECT \"student\".\"ID\", \"student\".\"Name\" FROM student"; + rml:referenceFormulation ql:CSV ]; rr:subjectMap [ @@ -21,8 +21,8 @@ ]; rr:predicateObjectMap [ - rr:predicate ex:id ; - rr:objectMap [ rml:reference "IDs" ] + rr:predicate foaf:name ; + rr:objectMap [ rml:reference "Name" ] ]. <#DB_source> a d2rq:Database; diff --git a/src/test/resources/test-cases/RMLTC0002j-SQLServer/output.nq b/src/test/resources/test-cases/RMLTC0002j-SQLServer/output.nq index e69de29b..98205bd6 100644 --- a/src/test/resources/test-cases/RMLTC0002j-SQLServer/output.nq +++ b/src/test/resources/test-cases/RMLTC0002j-SQLServer/output.nq @@ -0,0 +1 @@ + "Venus". \ No newline at end of file diff --git a/src/test/resources/test-cases/RMLTC0005b-MySQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0005b-MySQL/mapping.ttl index e0b070b1..82eaeedc 100644 --- a/src/test/resources/test-cases/RMLTC0005b-MySQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0005b-MySQL/mapping.ttl @@ -16,7 +16,7 @@ ]; rr:subjectMap [ - rr:template "{fname}_{lname}"; + rr:template "{fname}{lname}"; rr:class ; rr:termType rr:BlankNode ]; diff --git a/src/test/resources/test-cases/RMLTC0005b-MySQL/output.nq b/src/test/resources/test-cases/RMLTC0005b-MySQL/output.nq index e9744d9a..260dbe87 100644 --- a/src/test/resources/test-cases/RMLTC0005b-MySQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0005b-MySQL/output.nq @@ -1,9 +1,9 @@ -_:Bob_Smith . -_:Bob_Smith "Bob" . -_:Bob_Smith "Smith" . -_:Bob_Smith "3.0E1"^^ . -_:Sue_Jones . -_:Sue_Jones "Sue" . -_:Sue_Jones "Jones" . -_:Sue_Jones "2.0E1"^^ . +_:BobSmith . +_:BobSmith "Bob" . +_:BobSmith "Smith" . +_:BobSmith "3.0E1"^^ . +_:SueJones . +_:SueJones "Sue" . +_:SueJones "Jones" . +_:SueJones "2.0E1"^^ . diff --git a/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/mapping.ttl index 15269112..9494ea7b 100644 --- a/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/mapping.ttl @@ -16,7 +16,7 @@ ]; rr:subjectMap [ - rr:template "{fname}_{lname}"; + rr:template "{fname}{lname}"; rr:class ; rr:termType rr:BlankNode ]; diff --git a/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/output.nq b/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/output.nq index e9744d9a..260dbe87 100644 --- a/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0005b-PostgreSQL/output.nq @@ -1,9 +1,9 @@ -_:Bob_Smith . -_:Bob_Smith "Bob" . -_:Bob_Smith "Smith" . -_:Bob_Smith "3.0E1"^^ . -_:Sue_Jones . -_:Sue_Jones "Sue" . -_:Sue_Jones "Jones" . -_:Sue_Jones "2.0E1"^^ . +_:BobSmith . +_:BobSmith "Bob" . +_:BobSmith "Smith" . +_:BobSmith "3.0E1"^^ . +_:SueJones . +_:SueJones "Sue" . +_:SueJones "Jones" . +_:SueJones "2.0E1"^^ . diff --git a/src/test/resources/test-cases/RMLTC0005b-SQLServer/mapping.ttl b/src/test/resources/test-cases/RMLTC0005b-SQLServer/mapping.ttl index 9e8afc0c..1643b1f8 100644 --- a/src/test/resources/test-cases/RMLTC0005b-SQLServer/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0005b-SQLServer/mapping.ttl @@ -16,7 +16,7 @@ ]; rr:subjectMap [ - rr:template "{fname}_{lname}"; + rr:template "{fname}{lname}"; rr:class ; rr:termType rr:BlankNode ]; diff --git a/src/test/resources/test-cases/RMLTC0005b-SQLServer/output.nq b/src/test/resources/test-cases/RMLTC0005b-SQLServer/output.nq index e9744d9a..260dbe87 100644 --- a/src/test/resources/test-cases/RMLTC0005b-SQLServer/output.nq +++ b/src/test/resources/test-cases/RMLTC0005b-SQLServer/output.nq @@ -1,9 +1,9 @@ -_:Bob_Smith . -_:Bob_Smith "Bob" . -_:Bob_Smith "Smith" . -_:Bob_Smith "3.0E1"^^ . -_:Sue_Jones . -_:Sue_Jones "Sue" . -_:Sue_Jones "Jones" . -_:Sue_Jones "2.0E1"^^ . +_:BobSmith . +_:BobSmith "Bob" . +_:BobSmith "Smith" . +_:BobSmith "3.0E1"^^ . +_:SueJones . +_:SueJones "Sue" . +_:SueJones "Jones" . +_:SueJones "2.0E1"^^ . diff --git a/src/test/resources/test-cases/RMLTC0007h-CSV/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-CSV/mapping.ttl index b1727bf0..ee305fdc 100644 --- a/src/test/resources/test-cases/RMLTC0007h-CSV/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-CSV/mapping.ttl @@ -15,7 +15,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ diff --git a/src/test/resources/test-cases/RMLTC0007h-JSON/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-JSON/mapping.ttl index de6d4799..9b775e33 100644 --- a/src/test/resources/test-cases/RMLTC0007h-JSON/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-JSON/mapping.ttl @@ -16,7 +16,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ diff --git a/src/test/resources/test-cases/RMLTC0007h-MySQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-MySQL/mapping.ttl index 3cb88348..cde35e69 100644 --- a/src/test/resources/test-cases/RMLTC0007h-MySQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-MySQL/mapping.ttl @@ -17,13 +17,13 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ rr:predicate foaf:name; rr:objectMap [ - rml:reference "Name" + rml:reference "FirstName" ] ]. diff --git a/src/test/resources/test-cases/RMLTC0007h-PostgreSQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-PostgreSQL/mapping.ttl index 57eccc22..c4bb8cf8 100644 --- a/src/test/resources/test-cases/RMLTC0007h-PostgreSQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-PostgreSQL/mapping.ttl @@ -17,7 +17,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ diff --git a/src/test/resources/test-cases/RMLTC0007h-SPARQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-SPARQL/mapping.ttl index 2f345a00..80fb91cb 100644 --- a/src/test/resources/test-cases/RMLTC0007h-SPARQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-SPARQL/mapping.ttl @@ -34,7 +34,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID.value}/{FirstName.value}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ diff --git a/src/test/resources/test-cases/RMLTC0007h-SQLServer/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-SQLServer/mapping.ttl index 5d3d8f59..6758630d 100644 --- a/src/test/resources/test-cases/RMLTC0007h-SQLServer/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-SQLServer/mapping.ttl @@ -17,7 +17,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ diff --git a/src/test/resources/test-cases/RMLTC0012a-MySQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0012a-MySQL/mapping.ttl index 61e6e952..443e425c 100644 --- a/src/test/resources/test-cases/RMLTC0012a-MySQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0012a-MySQL/mapping.ttl @@ -16,7 +16,7 @@ rr:tableName "IOUs"; ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{amount}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{amount}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate foaf:name ; diff --git a/src/test/resources/test-cases/RMLTC0012a-MySQL/output.nq b/src/test/resources/test-cases/RMLTC0012a-MySQL/output.nq index 10e4040a..f73d6e07 100644 --- a/src/test/resources/test-cases/RMLTC0012a-MySQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0012a-MySQL/output.nq @@ -1,5 +1,4 @@ -_:Bob_Smith_30 "30"^^ . -_:Bob_Smith_30 "Bob Smith" . -_:Sue_Jones_20 "20"^^ . -_:Sue_Jones_20 "Sue Jones" . - +_:BobSmith30 "30"^^ . +_:BobSmith30 "Bob Smith" . +_:SueJones20 "20"^^ . +_:SueJones20 "Sue Jones" . diff --git a/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/mapping.ttl index 90aab1f3..1ea43018 100644 --- a/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/mapping.ttl @@ -16,7 +16,7 @@ rr:tableName "IOUs"; ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{amount}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{amount}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate foaf:name ; diff --git a/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/output.nq b/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/output.nq index 10e4040a..f73d6e07 100644 --- a/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0012a-PostgreSQL/output.nq @@ -1,5 +1,4 @@ -_:Bob_Smith_30 "30"^^ . -_:Bob_Smith_30 "Bob Smith" . -_:Sue_Jones_20 "20"^^ . -_:Sue_Jones_20 "Sue Jones" . - +_:BobSmith30 "30"^^ . +_:BobSmith30 "Bob Smith" . +_:SueJones20 "20"^^ . +_:SueJones20 "Sue Jones" . diff --git a/src/test/resources/test-cases/RMLTC0012a-SQLServer/mapping.ttl b/src/test/resources/test-cases/RMLTC0012a-SQLServer/mapping.ttl index 270f5140..f152c451 100644 --- a/src/test/resources/test-cases/RMLTC0012a-SQLServer/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0012a-SQLServer/mapping.ttl @@ -16,7 +16,7 @@ rr:tableName "IOUs"; ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{amount}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{amount}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate foaf:name ; diff --git a/src/test/resources/test-cases/RMLTC0012a-SQLServer/output.nq b/src/test/resources/test-cases/RMLTC0012a-SQLServer/output.nq index 10e4040a..f73d6e07 100644 --- a/src/test/resources/test-cases/RMLTC0012a-SQLServer/output.nq +++ b/src/test/resources/test-cases/RMLTC0012a-SQLServer/output.nq @@ -1,5 +1,4 @@ -_:Bob_Smith_30 "30"^^ . -_:Bob_Smith_30 "Bob Smith" . -_:Sue_Jones_20 "20"^^ . -_:Sue_Jones_20 "Sue Jones" . - +_:BobSmith30 "30"^^ . +_:BobSmith30 "Bob Smith" . +_:SueJones20 "20"^^ . +_:SueJones20 "Sue Jones" . diff --git a/src/test/resources/test-cases/RMLTC0012e-MySQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0012e-MySQL/mapping.ttl index bad6d5a7..172b61a9 100644 --- a/src/test/resources/test-cases/RMLTC0012e-MySQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0012e-MySQL/mapping.ttl @@ -18,7 +18,7 @@ rr:tableName "IOUs"; ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{amount}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate rdf:type; @@ -53,7 +53,7 @@ rr:tableName "Lives" ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{city}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{city}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate rdf:type; diff --git a/src/test/resources/test-cases/RMLTC0012e-MySQL/output.nq b/src/test/resources/test-cases/RMLTC0012e-MySQL/output.nq index a09639da..e88a28bb 100644 --- a/src/test/resources/test-cases/RMLTC0012e-MySQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0012e-MySQL/output.nq @@ -1,18 +1,18 @@ -_:Bob_Smith_30 . -_:Bob_Smith_30 "Bob" . -_:Bob_Smith_30 "Smith" . -_:Bob_Smith_30 "3.0E1"^^ . -_:Sue_Jones_20 . -_:Sue_Jones_20 "Sue" . -_:Sue_Jones_20 "Jones" . -_:Sue_Jones_20 "2.0E1"^^ . -_:Bob_Smith_London . -_:Bob_Smith_London "Bob" . -_:Bob_Smith_London "Smith" . -_:Bob_Smith_London "London" . -_:Sue_Jones_Madrid . -_:Sue_Jones_Madrid "Sue" . -_:Sue_Jones_Madrid "Jones" . -_:Sue_Jones_Madrid "Madrid" . +_:BobSmith . +_:BobSmith "Bob" . +_:BobSmith "Smith" . +_:BobSmith "3.0E1"^^ . +_:SueJones . +_:SueJones "Sue" . +_:SueJones "Jones" . +_:SueJones "2.0E1"^^ . +_:BobSmithLondon . +_:BobSmithLondon "Bob" . +_:BobSmithLondon "Smith" . +_:BobSmithLondon "London" . +_:SueJonesMadrid . +_:SueJonesMadrid "Sue" . +_:SueJonesMadrid "Jones" . +_:SueJonesMadrid "Madrid" . diff --git a/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/mapping.ttl b/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/mapping.ttl index 699e49c9..c0d93362 100644 --- a/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/mapping.ttl @@ -18,7 +18,7 @@ rr:tableName "IOUs"; ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{amount}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{amount}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate rdf:type; @@ -53,7 +53,7 @@ rr:tableName "Lives" ]; - rr:subjectMap [ rr:template "{fname}_{lname}_{city}"; rr:termType rr:BlankNode; ]; + rr:subjectMap [ rr:template "{fname}{lname}{city}"; rr:termType rr:BlankNode; ]; rr:predicateObjectMap [ rr:predicate rdf:type; diff --git a/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/output.nq b/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/output.nq index a09639da..b590718b 100644 --- a/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/output.nq +++ b/src/test/resources/test-cases/RMLTC0012e-PostgreSQL/output.nq @@ -1,18 +1,18 @@ -_:Bob_Smith_30 . -_:Bob_Smith_30 "Bob" . -_:Bob_Smith_30 "Smith" . -_:Bob_Smith_30 "3.0E1"^^ . -_:Sue_Jones_20 . -_:Sue_Jones_20 "Sue" . -_:Sue_Jones_20 "Jones" . -_:Sue_Jones_20 "2.0E1"^^ . -_:Bob_Smith_London . -_:Bob_Smith_London "Bob" . -_:Bob_Smith_London "Smith" . -_:Bob_Smith_London "London" . -_:Sue_Jones_Madrid . -_:Sue_Jones_Madrid "Sue" . -_:Sue_Jones_Madrid "Jones" . -_:Sue_Jones_Madrid "Madrid" . +_:BobSmith30 . +_:BobSmith30 "Bob" . +_:BobSmith30 "Smith" . +_:BobSmith30 "3.0E1"^^ . +_:SueJones20 . +_:SueJones20 "Sue" . +_:SueJones20 "Jones" . +_:SueJones20 "2.0E1"^^ . +_:BobSmithLondon . +_:BobSmithLondon "Bob" . +_:BobSmithLondon "Smith" . +_:BobSmithLondon "London" . +_:SueJonesMadrid . +_:SueJonesMadrid "Sue" . +_:SueJonesMadrid "Jones" . +_:SueJonesMadrid "Madrid" . From 187cbd71b7222a854ddde5a370b5b84a26fe6e9a Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 3 Jan 2020 15:57:19 +0100 Subject: [PATCH 06/38] wip: restructure SPARQL test code --- buildNumber.properties | 4 +- pom.xml | 26 +- .../java/be/ugent/rml/Mapper_MySQL_Test.java | 1 - .../java/be/ugent/rml/Mapper_SPARQL_Test.java | 272 ++++++++---------- 4 files changed, 131 insertions(+), 172 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index a275ef2b..865661a6 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Thu Dec 19 14:16:18 CET 2019 -buildNumber0=148 +#Fri Jan 03 15:39:10 CET 2020 +buildNumber0=149 diff --git a/pom.xml b/pom.xml index 3e0f6bd4..f9203b37 100644 --- a/pom.xml +++ b/pom.xml @@ -99,12 +99,6 @@ 12.2.0.1 true - - com.googlecode.zohhak - zohhak - 1.1.1 - test - com.spotify docker-client @@ -115,26 +109,10 @@ jackson-core 2.9.8 - - org.eclipse.jetty - jetty-server - 9.4.17.v20190418 - - - org.eclipse.jetty - jetty-security - 9.4.17.v20190418 - - - org.apache.jena - apache-jena-libs - pom - 3.8.0 - org.apache.jena - jena-fuseki-embedded - 3.8.0 + jena-fuseki-main + 3.13.1 com.github.bjdmeest diff --git a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java index c5663ad0..4c8cc4b2 100644 --- a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java @@ -8,7 +8,6 @@ import java.util.Arrays; - @RunWith(Parameterized.class) public class Mapper_MySQL_Test extends MySQLTestCore { diff --git a/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java b/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java index 99f6b641..72075a84 100644 --- a/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java @@ -1,14 +1,11 @@ package be.ugent.rml; -import com.googlecode.zohhak.api.TestWith; -import com.googlecode.zohhak.api.runners.ZohhakRunner; - import org.apache.commons.io.FilenameUtils; -import org.apache.jena.fuseki.embedded.FusekiServer; +import org.apache.jena.fuseki.main.FusekiServer; import org.apache.jena.riot.RDFDataMgr; -import org.junit.AfterClass; -import org.junit.Test; +import org.junit.*; import org.junit.runner.RunWith; +import org.junit.runners.Parameterized; import java.io.File; import java.io.IOException; @@ -19,16 +16,134 @@ import java.nio.file.Paths; import java.util.*; -@RunWith(ZohhakRunner.class) +import static be.ugent.rml.MySQLTestCore.deleteTempMappingFile; + +@RunWith(Parameterized.class) public class Mapper_SPARQL_Test extends TestCore { - FusekiServer server; - static HashMap openPorts = new HashMap<>(); - - private void stopServer() { + private static int PORTNUMBER_SPARQL; + private FusekiServer.Builder builder; + private FusekiServer server; + + @Parameterized.Parameter(0) + public String testCaseName; + + @Parameterized.Parameter(1) + public Class expectedException; + + @Parameterized.Parameters(name = "{index}: SPARQL_{0}") + public static Iterable data() { + return Arrays.asList(new Object[][]{ + // scenarios: + {"RMLTC0000", null}, + {"RMLTC0001a", null}, + {"RMLTC0001b", null}, + {"RMLTC0002a", null}, + {"RMLTC0002b", null}, + {"RMLTC0002c", Error.class}, + {"RMLTC0002d", null}, + {"RMLTC0002e", Error.class}, + {"RMLTC0002f", null}, + {"RMLTC0002g", Error.class}, + {"RMLTC0002h", Error.class}, + {"RMLTC0002i", Error.class}, + {"RMLTC0002j", null}, + {"RMLTC0003a", Error.class}, + {"RMLTC0003b", null}, + {"RMLTC0003c", null}, + {"RMLTC0004a", null}, + {"RMLTC0004b", null}, + {"RMLTC0005a", null}, + {"RMLTC0005b", null}, + {"RMLTC0006a", null}, + {"RMLTC0007a", null}, + {"RMLTC0007b", null}, + {"RMLTC0007c", null}, + {"RMLTC0007d", null}, + {"RMLTC0007e", null}, + {"RMLTC0007f", null}, + {"RMLTC0007g", null}, + {"RMLTC0007h", Error.class}, + {"RMLTC0008a", null}, + {"RMLTC0008b", null}, + {"RMLTC0008c", null}, + {"RMLTC0009a", null}, + {"RMLTC0009b", null}, + {"RMLTC0009c", null}, + {"RMLTC0009d", null}, + {"RMLTC0010a", null}, + {"RMLTC0010b", null}, + {"RMLTC0010c", null}, + {"RMLTC0011a", null}, + {"RMLTC0011b", null}, + {"RMLTC0012a", null}, + {"RMLTC0012b", null}, + {"RMLTC0012c", Error.class}, + {"RMLTC0012d", Error.class}, + {"RMLTC0012e", null}, + {"RMLTC0013a", null}, + {"RMLTC0014d", null}, + {"RMLTC0015a", null}, + {"RMLTC0015b", Error.class}, + {"RMLTC0016a", null}, + {"RMLTC0016b", null}, + {"RMLTC0016c", null}, + {"RMLTC0016d", null}, + {"RMLTC0016e", null}, + {"RMLTC0018a", null}, + {"RMLTC0019a", null}, + {"RMLTC0019b", null}, + {"RMLTC0020a", null}, + {"RMLTC0020b", null}, + }); + } + + @Before + public void intialize() { + builder = FusekiServer.create(); + builder.port(PORTNUMBER_SPARQL); + } + + @BeforeClass + public static void startServer() throws Exception { + try { + PORTNUMBER_SPARQL = Utils.getFreePortNumber(); + } catch (Exception ex) { + throw new Exception("Could not find a free port number for SPARQL testing."); + } + } + + @Test + public void doMapping() throws Exception { + mappingTest(testCaseName, expectedException); + } + + private void mappingTest(String testCaseName, Class expectedException) throws Exception { + String resourcePath = "test-cases/" + testCaseName + "-SPARQL/resource.ttl"; + String mappingPath = "./test-cases/" + testCaseName + "-SPARQL/mapping.ttl"; + String outputPath = "test-cases/" + testCaseName + "-SPARQL/output.nq"; + String tempMappingPath = replacePortInMappingFile(mappingPath, "" + PORTNUMBER_SPARQL); + + builder.add("/ds"+(1), RDFDataMgr.loadDataset(resourcePath), true); + this.server = builder.build(); + this.server.start(); + + // mapping + if (expectedException == null) { + doMapping(tempMappingPath, outputPath); + } else { + doMappingExpectError(tempMappingPath); + } + + deleteTempMappingFile(tempMappingPath); + } + + @After + public void stopServer() { if (server != null) { server.stop(); } + System.setProperty("org.eclipse.jetty.util.log.class", "org.eclipse.jetty.util.log.StdErrLog"); System.setProperty("org.eclipse.jetty.LEVEL", "OFF"); } @@ -45,15 +160,11 @@ private ServerSocket findRandomOpenPortOnAllLocalInterfaces() { Replaces the "PORT" in the given mapping file to an available port and saves this in a new temp file Returns the absolute path to the temp mapping file */ - private String replacePortInMappingFile(String path) { + private String replacePortInMappingFile(String path, String port) { try { // Read mapping file String mapping = new String(Files.readAllBytes(Paths.get(Utils.getFile(path, null).getAbsolutePath())), StandardCharsets.UTF_8); - // Open a new port - ServerSocket openPort = findRandomOpenPortOnAllLocalInterfaces(); - String port = Integer.toString(openPort.getLocalPort()); - // Replace "PORT" in mapping file by new port mapping = mapping.replace("PORT", port); @@ -64,138 +175,9 @@ private String replacePortInMappingFile(String path) { String absolutePath = Paths.get(Utils.getFile(fileName, null).getAbsolutePath()).toString(); - openPorts.put(absolutePath, openPort); - return absolutePath; - } catch (IOException ex) { throw new Error(ex.getMessage()); } } - - /* - Closes the port used by the given temp mapping file. - Deletes the temp mapping file. - */ - private static void closePort(String absolutePath) { - String portNumber = FilenameUtils.getBaseName(absolutePath); - if (openPorts.containsKey(absolutePath)) { - try { - // Close port and remove from map - openPorts.remove(absolutePath).close(); - - // Delete the file - File file = new File(absolutePath); - file.delete(); - } catch (IOException ex) { - throw new Error("Couldn't close port " + portNumber + " for the SPARQL tests."); - } - } - } - - /* - Makes sure that every opened port is closed and every temp mapping file is deleted. - */ - @AfterClass - public static void deleteRemainingFiles() { - for (String filePath: openPorts.keySet()) { - closePort(filePath); - } - } - - @TestWith({ - "RMLTC0000-SPARQL, nq", - "RMLTC0001a-SPARQL, nq", - "RMLTC0001b-SPARQL, nq", - "RMLTC0002a-SPARQL, nq", - "RMLTC0002b-SPARQL, nq", - "RMLTC0002h-SPARQL, nq", - "RMLTC0003c-SPARQL, nq", - "RMLTC0004a-SPARQL, nq", - "RMLTC0004b-SPARQL, nq", - "RMLTC0006a-SPARQL, nq", - "RMLTC0007a-SPARQL, nq", - "RMLTC0007b-SPARQL, nq", - "RMLTC0007c-SPARQL, nq", - "RMLTC0007d-SPARQL, nq", - "RMLTC0007e-SPARQL, nq", - "RMLTC0007f-SPARQL, nq", - "RMLTC0007g-SPARQL, nq", - "RMLTC0007h-SPARQL, nq", - "RMLTC0008a-SPARQL, nq", - "RMLTC0008b-SPARQL, nq", - "RMLTC0008c-SPARQL, nq", - "RMLTC0012a-SPARQL, nq", - }) - public void evaluate_XXXX_SPARQL(String resourceDir, String outputExtension) { - String resourcePath = "test-cases/" + resourceDir + "/resource.ttl"; - String mappingPath = "./test-cases/" + resourceDir + "/mapping.ttl"; - String outputPath = "test-cases/" + resourceDir + "/output." + outputExtension; - - List resources = new ArrayList<>(); - resources.add(resourcePath); - - doTest(mappingPath, resources, outputPath); - - } - - @Test(expected = Error.class) - public void evaluate_0002g_SPARQL() { - evaluate_XXXX_SPARQL("RMLTC0002g-SPARQL", "ttl"); - } - - @Test - public void evaluate_0009a_SPARQL() throws Exception { - String mappingPath = "test-cases/RMLTC0009a-SPARQL/mapping.ttl"; - String outputPath = "test-cases/RMLTC0009a-SPARQL/output.nq"; - - List resources = new ArrayList<>(); - resources.add("test-cases/RMLTC0009a-SPARQL/resource1.ttl"); - resources.add("test-cases/RMLTC0009a-SPARQL/resource2.ttl"); - - doTest(mappingPath, resources, outputPath); - } - - @Test - public void evaluate_0009b_SPARQL() throws Exception { - String mappingPath = "test-cases/RMLTC0009b-SPARQL/mapping.ttl"; - String outputPath = "test-cases/RMLTC0009b-SPARQL/output.nq"; - - List resources = new ArrayList<>(); - resources.add("test-cases/RMLTC0009b-SPARQL/resource1.ttl"); - resources.add("test-cases/RMLTC0009b-SPARQL/resource2.ttl"); - - doTest(mappingPath, resources, outputPath); - } - - @Test - public void evaluate_00012b_SPARQL() throws Exception { - String mappingPath = "test-cases/RMLTC0012b-SPARQL/mapping.ttl"; - String outputPath = "test-cases/RMLTC0012b-SPARQL/output.nq"; - - List resources = new ArrayList<>(); - resources.add("test-cases/RMLTC0012b-SPARQL/resource1.ttl"); - resources.add("test-cases/RMLTC0012b-SPARQL/resource2.ttl"); - - doTest(mappingPath, resources, outputPath); - } - - public void doTest(String mappingPath, List resourceFiles, String outputPath) { - stopServer(); - String tempMapping = replacePortInMappingFile(mappingPath); - - FusekiServer.Builder builder = FusekiServer.create(); - builder.setPort(openPorts.get(tempMapping).getLocalPort()); - - for (int i = 0; i < resourceFiles.size(); i++) { - builder.add("/ds"+(i+1), RDFDataMgr.loadDataset(resourceFiles.get(i)), true); - } - this.server = builder.build(); - this.server.start(); - - doMapping(tempMapping, outputPath); - - closePort(tempMapping); - stopServer(); - } } From 5f3708890c102496a2498146749e41135d862760 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Jan 2020 09:56:37 +0100 Subject: [PATCH 07/38] making SPARQL tests run again --- buildNumber.properties | 4 +- dependency-reduced-pom.xml | 13 - docs/apidocs/allclasses-index.html | 497 + docs/apidocs/allpackages-index.html | 178 + docs/apidocs/be/ugent/rml/Executor.html | 324 +- docs/apidocs/be/ugent/rml/Initializer.html | 217 +- docs/apidocs/be/ugent/rml/Mapping.html | 217 +- docs/apidocs/be/ugent/rml/MappingFactory.html | 195 +- docs/apidocs/be/ugent/rml/MappingInfo.html | 202 +- docs/apidocs/be/ugent/rml/NAMESPACES.html | 302 +- .../be/ugent/rml/PredicateObjectGraph.html | 217 +- .../rml/PredicateObjectGraphMapping.html | 257 +- .../rml/RecordFunctionExecutorFactory.html | 191 +- docs/apidocs/be/ugent/rml/TEMPLATETYPE.html | 247 +- docs/apidocs/be/ugent/rml/Template.html | 210 +- .../apidocs/be/ugent/rml/TemplateElement.html | 202 +- docs/apidocs/be/ugent/rml/Utils.html | 786 +- .../be/ugent/rml/ValuedJoinCondition.html | 202 +- docs/apidocs/be/ugent/rml/access/Access.html | 174 +- .../be/ugent/rml/access/AccessFactory.html | 191 +- .../be/ugent/rml/access/DatabaseType.html | 481 + .../be/ugent/rml/access/LocalFileAccess.html | 271 +- .../be/ugent/rml/access/RDBAccess.html | 326 +- .../be/ugent/rml/access/RemoteFileAccess.html | 267 +- .../rml/access/SPARQLEndpointAccess.html | 273 +- .../be/ugent/rml/access/class-use/Access.html | 215 +- .../rml/access/class-use/AccessFactory.html | 116 +- .../rml/access/class-use/DatabaseType.html | 206 + .../rml/access/class-use/LocalFileAccess.html | 116 +- .../ugent/rml/access/class-use/RDBAccess.html | 116 +- .../access/class-use/RemoteFileAccess.html | 116 +- .../class-use/SPARQLEndpointAccess.html | 116 +- .../be/ugent/rml/access/package-summary.html | 149 +- .../be/ugent/rml/access/package-tree.html | 144 +- .../be/ugent/rml/access/package-use.html | 154 +- .../be/ugent/rml/class-use/Executor.html | 116 +- .../be/ugent/rml/class-use/Initializer.html | 116 +- .../be/ugent/rml/class-use/Mapping.html | 160 +- .../ugent/rml/class-use/MappingFactory.html | 116 +- .../be/ugent/rml/class-use/MappingInfo.html | 231 +- .../be/ugent/rml/class-use/NAMESPACES.html | 116 +- .../rml/class-use/PredicateObjectGraph.html | 146 +- .../PredicateObjectGraphMapping.html | 160 +- .../RecordFunctionExecutorFactory.html | 116 +- .../be/ugent/rml/class-use/TEMPLATETYPE.html | 168 +- .../be/ugent/rml/class-use/Template.html | 180 +- .../ugent/rml/class-use/TemplateElement.html | 168 +- .../apidocs/be/ugent/rml/class-use/Utils.html | 116 +- .../rml/class-use/ValuedJoinCondition.html | 116 +- docs/apidocs/be/ugent/rml/cli/Main.html | 196 +- .../be/ugent/rml/cli/class-use/Main.html | 116 +- .../be/ugent/rml/cli/package-summary.html | 118 +- .../be/ugent/rml/cli/package-tree.html | 118 +- .../apidocs/be/ugent/rml/cli/package-use.html | 112 +- .../ugent/rml/conformer/MappingConformer.html | 359 + .../ugent/rml/conformer/R2RMLConverter.html | 293 + .../conformer/class-use/MappingConformer.html | 114 + .../conformer/class-use/R2RMLConverter.html | 114 + .../ugent/rml/conformer/package-summary.html | 142 + .../be/ugent/rml/conformer/package-tree.html | 130 + .../be/ugent/rml/conformer/package-use.html | 114 + .../rml/extractor/ConstantExtractor.html | 210 +- .../be/ugent/rml/extractor/Extractor.html | 155 +- .../rml/extractor/ReferenceExtractor.html | 249 +- .../class-use/ConstantExtractor.html | 116 +- .../rml/extractor/class-use/Extractor.html | 192 +- .../class-use/ReferenceExtractor.html | 116 +- .../ugent/rml/extractor/package-summary.html | 126 +- .../be/ugent/rml/extractor/package-tree.html | 124 +- .../be/ugent/rml/extractor/package-use.html | 166 +- .../AbstractSingleRecordFunctionExecutor.html | 197 +- .../ugent/rml/functions/ConcatFunction.html | 202 +- ...ynamicMultipleRecordsFunctionExecutor.html | 201 +- .../DynamicSingleRecordFunctionExecutor.html | 175 +- .../ugent/rml/functions/FunctionLoader.html | 239 +- .../be/ugent/rml/functions/FunctionModel.html | 210 +- .../be/ugent/rml/functions/FunctionUtils.html | 236 +- .../MultipleRecordsFunctionExecutor.html | 159 +- .../functions/ParameterValueOriginPair.html | 202 +- .../rml/functions/ParameterValuePair.html | 202 +- .../SingleRecordFunctionExecutor.html | 159 +- ...StaticMultipleRecordsFunctionExecutor.html | 201 +- .../StaticSingleRecordFunctionExecutor.html | 175 +- .../functions/TermGeneratorOriginPair.html | 202 +- .../AbstractSingleRecordFunctionExecutor.html | 145 +- .../functions/class-use/ConcatFunction.html | 116 +- ...ynamicMultipleRecordsFunctionExecutor.html | 116 +- .../DynamicSingleRecordFunctionExecutor.html | 116 +- .../functions/class-use/FunctionLoader.html | 213 +- .../functions/class-use/FunctionModel.html | 163 +- .../functions/class-use/FunctionUtils.html | 116 +- .../MultipleRecordsFunctionExecutor.html | 179 +- .../class-use/ParameterValueOriginPair.html | 144 +- .../class-use/ParameterValuePair.html | 144 +- .../SingleRecordFunctionExecutor.html | 244 +- ...StaticMultipleRecordsFunctionExecutor.html | 116 +- .../StaticSingleRecordFunctionExecutor.html | 116 +- .../class-use/TermGeneratorOriginPair.html | 156 +- .../rml/functions/lib/GrelProcessor.html | 233 +- .../rml/functions/lib/GrelTestProcessor.html | 255 +- .../rml/functions/lib/IDLabFunctions.html | 275 +- .../rml/functions/lib/UtilFunctions.html | 200 +- .../lib/class-use/GrelProcessor.html | 116 +- .../lib/class-use/GrelTestProcessor.html | 116 +- .../lib/class-use/IDLabFunctions.html | 116 +- .../lib/class-use/UtilFunctions.html | 116 +- .../rml/functions/lib/package-summary.html | 124 +- .../ugent/rml/functions/lib/package-tree.html | 124 +- .../ugent/rml/functions/lib/package-use.html | 112 +- .../ugent/rml/functions/package-summary.html | 148 +- .../be/ugent/rml/functions/package-tree.html | 146 +- .../be/ugent/rml/functions/package-use.html | 209 +- .../DatasetLevelMetadataGenerator.html | 211 +- .../be/ugent/rml/metadata/Metadata.html | 201 +- .../MetadataGenerator.DETAIL_LEVEL.html | 265 +- .../ugent/rml/metadata/MetadataGenerator.html | 265 +- .../DatasetLevelMetadataGenerator.html | 116 +- .../rml/metadata/class-use/Metadata.html | 158 +- .../MetadataGenerator.DETAIL_LEVEL.html | 172 +- .../metadata/class-use/MetadataGenerator.html | 146 +- .../ugent/rml/metadata/package-summary.html | 128 +- .../be/ugent/rml/metadata/package-tree.html | 130 +- .../be/ugent/rml/metadata/package-use.html | 166 +- .../apidocs/be/ugent/rml/package-summary.html | 160 +- docs/apidocs/be/ugent/rml/package-tree.html | 152 +- docs/apidocs/be/ugent/rml/package-use.html | 206 +- .../be/ugent/rml/records/CSVRecord.html | 180 +- .../ugent/rml/records/CSVRecordFactory.html | 207 +- .../be/ugent/rml/records/IteratorFormat.html | 213 +- .../be/ugent/rml/records/JSONRecord.html | 201 +- .../ugent/rml/records/JSONRecordFactory.html | 177 +- docs/apidocs/be/ugent/rml/records/Record.html | 198 +- .../be/ugent/rml/records/RecordsFactory.html | 199 +- .../ReferenceFormulationRecordFactory.html | 171 +- .../ugent/rml/records/SPARQLResultFormat.html | 300 +- .../be/ugent/rml/records/XMLRecord.html | 197 +- .../ugent/rml/records/XMLRecordFactory.html | 177 +- .../rml/records/class-use/CSVRecord.html | 116 +- .../records/class-use/CSVRecordFactory.html | 116 +- .../rml/records/class-use/IteratorFormat.html | 145 +- .../rml/records/class-use/JSONRecord.html | 116 +- .../records/class-use/JSONRecordFactory.html | 116 +- .../ugent/rml/records/class-use/Record.html | 330 +- .../rml/records/class-use/RecordsFactory.html | 166 +- .../ReferenceFormulationRecordFactory.html | 151 +- .../records/class-use/SPARQLResultFormat.html | 149 +- .../rml/records/class-use/XMLRecord.html | 116 +- .../records/class-use/XMLRecordFactory.html | 116 +- .../be/ugent/rml/records/package-summary.html | 146 +- .../be/ugent/rml/records/package-tree.html | 146 +- .../be/ugent/rml/records/package-use.html | 207 +- docs/apidocs/be/ugent/rml/store/Quad.html | 262 +- .../apidocs/be/ugent/rml/store/QuadStore.html | 889 +- .../be/ugent/rml/store/QuadStoreFactory.html | 376 + .../be/ugent/rml/store/RDF4JStore.html | 535 +- .../be/ugent/rml/store/SimpleQuadStore.html | 505 +- .../be/ugent/rml/store/class-use/Quad.html | 304 +- .../ugent/rml/store/class-use/QuadStore.html | 628 +- .../rml/store/class-use/QuadStoreFactory.html | 114 + .../ugent/rml/store/class-use/RDF4JStore.html | 168 +- .../rml/store/class-use/SimpleQuadStore.html | 116 +- .../be/ugent/rml/store/package-summary.html | 139 +- .../be/ugent/rml/store/package-tree.html | 125 +- .../be/ugent/rml/store/package-use.html | 256 +- .../be/ugent/rml/term/AbstractTerm.html | 219 +- docs/apidocs/be/ugent/rml/term/BlankNode.html | 215 +- docs/apidocs/be/ugent/rml/term/Literal.html | 254 +- docs/apidocs/be/ugent/rml/term/NamedNode.html | 210 +- .../be/ugent/rml/term/ProvenancedQuad.html | 247 +- .../be/ugent/rml/term/ProvenancedTerm.html | 220 +- docs/apidocs/be/ugent/rml/term/Term.html | 155 +- .../rml/term/class-use/AbstractTerm.html | 148 +- .../ugent/rml/term/class-use/BlankNode.html | 116 +- .../be/ugent/rml/term/class-use/Literal.html | 116 +- .../ugent/rml/term/class-use/NamedNode.html | 116 +- .../rml/term/class-use/ProvenancedQuad.html | 142 +- .../rml/term/class-use/ProvenancedTerm.html | 248 +- .../be/ugent/rml/term/class-use/Term.html | 1013 +- .../be/ugent/rml/term/package-summary.html | 134 +- .../be/ugent/rml/term/package-tree.html | 132 +- .../be/ugent/rml/term/package-use.html | 281 +- .../rml/termgenerator/BlankNodeGenerator.html | 200 +- .../rml/termgenerator/LiteralGenerator.html | 228 +- .../rml/termgenerator/NamedNodeGenerator.html | 195 +- .../rml/termgenerator/TermGenerator.html | 193 +- .../class-use/BlankNodeGenerator.html | 116 +- .../class-use/LiteralGenerator.html | 116 +- .../class-use/NamedNodeGenerator.html | 116 +- .../class-use/TermGenerator.html | 267 +- .../rml/termgenerator/package-summary.html | 124 +- .../ugent/rml/termgenerator/package-tree.html | 124 +- .../ugent/rml/termgenerator/package-use.html | 166 +- docs/apidocs/constant-values.html | 257 +- docs/apidocs/deprecated-list.html | 112 +- docs/apidocs/element-list | 12 + docs/apidocs/help-doc.html | 189 +- docs/apidocs/index-all.html | 1082 +- docs/apidocs/index.html | 228 +- docs/apidocs/javadoc.sh | 1 + docs/apidocs/jquery/external/jquery/jquery.js | 10364 ++++++++++++++ .../images/ui-bg_glass_55_fbf9ee_1x400.png | Bin 0 -> 335 bytes .../images/ui-bg_glass_65_dadada_1x400.png | Bin 0 -> 262 bytes .../images/ui-bg_glass_75_dadada_1x400.png | Bin 0 -> 262 bytes .../images/ui-bg_glass_75_e6e6e6_1x400.png | Bin 0 -> 262 bytes .../images/ui-bg_glass_95_fef1ec_1x400.png | Bin 0 -> 332 bytes .../ui-bg_highlight-soft_75_cccccc_1x100.png | Bin 0 -> 280 bytes .../jquery/images/ui-icons_222222_256x240.png | Bin 0 -> 6922 bytes .../jquery/images/ui-icons_2e83ff_256x240.png | Bin 0 -> 4549 bytes .../jquery/images/ui-icons_454545_256x240.png | Bin 0 -> 6992 bytes .../jquery/images/ui-icons_888888_256x240.png | Bin 0 -> 6999 bytes .../jquery/images/ui-icons_cd0a0a_256x240.png | Bin 0 -> 4549 bytes docs/apidocs/jquery/jquery-3.3.1.js | 10364 ++++++++++++++ docs/apidocs/jquery/jquery-migrate-3.0.1.js | 628 + docs/apidocs/jquery/jquery-ui.css | 582 + docs/apidocs/jquery/jquery-ui.js | 2659 ++++ docs/apidocs/jquery/jquery-ui.min.css | 7 + docs/apidocs/jquery/jquery-ui.min.js | 6 + docs/apidocs/jquery/jquery-ui.structure.css | 156 + .../jquery/jquery-ui.structure.min.css | 5 + .../jquery/jszip-utils/dist/jszip-utils-ie.js | 56 + .../jszip-utils/dist/jszip-utils-ie.min.js | 10 + .../jquery/jszip-utils/dist/jszip-utils.js | 118 + .../jszip-utils/dist/jszip-utils.min.js | 10 + docs/apidocs/jquery/jszip/dist/jszip.js | 11623 ++++++++++++++++ docs/apidocs/jquery/jszip/dist/jszip.min.js | 15 + docs/apidocs/member-search-index.js | 1 + docs/apidocs/member-search-index.zip | Bin 0 -> 4709 bytes docs/apidocs/options | 27 + docs/apidocs/overview-summary.html | 182 +- docs/apidocs/overview-tree.html | 277 +- docs/apidocs/package-search-index.js | 1 + docs/apidocs/package-search-index.zip | Bin 0 -> 302 bytes docs/apidocs/packages | 78 + docs/apidocs/resources/glass.png | Bin 0 -> 499 bytes docs/apidocs/resources/x.png | Bin 0 -> 394 bytes docs/apidocs/script.js | 160 +- docs/apidocs/search.js | 331 + docs/apidocs/stylesheet.css | 545 +- docs/apidocs/type-search-index.js | 1 + docs/apidocs/type-search-index.zip | Bin 0 -> 909 bytes pom.xml | 37 +- src/main/java/be/ugent/rml/Utils.java | 9 + .../java/be/ugent/rml/Mapper_SPARQL_Test.java | 84 +- .../test-cases/RMLTC0007h-XML/mapping.ttl | 2 +- 244 files changed, 60107 insertions(+), 17603 deletions(-) create mode 100644 docs/apidocs/allclasses-index.html create mode 100644 docs/apidocs/allpackages-index.html create mode 100644 docs/apidocs/be/ugent/rml/access/DatabaseType.html create mode 100644 docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/MappingConformer.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/package-summary.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/package-tree.html create mode 100644 docs/apidocs/be/ugent/rml/conformer/package-use.html create mode 100644 docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html create mode 100644 docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html create mode 100644 docs/apidocs/element-list create mode 100755 docs/apidocs/javadoc.sh create mode 100644 docs/apidocs/jquery/external/jquery/jquery.js create mode 100644 docs/apidocs/jquery/images/ui-bg_glass_55_fbf9ee_1x400.png create mode 100644 docs/apidocs/jquery/images/ui-bg_glass_65_dadada_1x400.png create mode 100644 docs/apidocs/jquery/images/ui-bg_glass_75_dadada_1x400.png create mode 100644 docs/apidocs/jquery/images/ui-bg_glass_75_e6e6e6_1x400.png create mode 100644 docs/apidocs/jquery/images/ui-bg_glass_95_fef1ec_1x400.png create mode 100644 docs/apidocs/jquery/images/ui-bg_highlight-soft_75_cccccc_1x100.png create mode 100644 docs/apidocs/jquery/images/ui-icons_222222_256x240.png create mode 100644 docs/apidocs/jquery/images/ui-icons_2e83ff_256x240.png create mode 100644 docs/apidocs/jquery/images/ui-icons_454545_256x240.png create mode 100644 docs/apidocs/jquery/images/ui-icons_888888_256x240.png create mode 100644 docs/apidocs/jquery/images/ui-icons_cd0a0a_256x240.png create mode 100644 docs/apidocs/jquery/jquery-3.3.1.js create mode 100644 docs/apidocs/jquery/jquery-migrate-3.0.1.js create mode 100644 docs/apidocs/jquery/jquery-ui.css create mode 100644 docs/apidocs/jquery/jquery-ui.js create mode 100644 docs/apidocs/jquery/jquery-ui.min.css create mode 100644 docs/apidocs/jquery/jquery-ui.min.js create mode 100644 docs/apidocs/jquery/jquery-ui.structure.css create mode 100644 docs/apidocs/jquery/jquery-ui.structure.min.css create mode 100644 docs/apidocs/jquery/jszip-utils/dist/jszip-utils-ie.js create mode 100644 docs/apidocs/jquery/jszip-utils/dist/jszip-utils-ie.min.js create mode 100644 docs/apidocs/jquery/jszip-utils/dist/jszip-utils.js create mode 100644 docs/apidocs/jquery/jszip-utils/dist/jszip-utils.min.js create mode 100644 docs/apidocs/jquery/jszip/dist/jszip.js create mode 100644 docs/apidocs/jquery/jszip/dist/jszip.min.js create mode 100644 docs/apidocs/member-search-index.js create mode 100644 docs/apidocs/member-search-index.zip create mode 100644 docs/apidocs/options create mode 100644 docs/apidocs/package-search-index.js create mode 100644 docs/apidocs/package-search-index.zip create mode 100644 docs/apidocs/packages create mode 100644 docs/apidocs/resources/glass.png create mode 100644 docs/apidocs/resources/x.png create mode 100644 docs/apidocs/search.js create mode 100644 docs/apidocs/type-search-index.js create mode 100644 docs/apidocs/type-search-index.zip diff --git a/buildNumber.properties b/buildNumber.properties index 865661a6..6b80fbb9 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Fri Jan 03 15:39:10 CET 2020 -buildNumber0=149 +#Fri Jan 17 09:54:54 CET 2020 +buildNumber0=203 diff --git a/dependency-reduced-pom.xml b/dependency-reduced-pom.xml index 34c6c502..3fac9d90 100644 --- a/dependency-reduced-pom.xml +++ b/dependency-reduced-pom.xml @@ -162,19 +162,6 @@ 7.2.2.jre8 test - - com.googlecode.zohhak - zohhak - 1.1.1 - test - - - org.apache.jena - apache-jena-libs - 3.8.0 - pom - compile - 8 diff --git a/docs/apidocs/allclasses-index.html b/docs/apidocs/allclasses-index.html new file mode 100644 index 00000000..3f4a2afb --- /dev/null +++ b/docs/apidocs/allclasses-index.html @@ -0,0 +1,497 @@ + + + + + +All Classes (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    All Classes

    +
    +
    + +
    +
    + + + diff --git a/docs/apidocs/allpackages-index.html b/docs/apidocs/allpackages-index.html new file mode 100644 index 00000000..170325b6 --- /dev/null +++ b/docs/apidocs/allpackages-index.html @@ -0,0 +1,178 @@ + + + + + +All Packages (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    All Packages

    +
    +
    + +
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/Executor.html b/docs/apidocs/be/ugent/rml/Executor.html index 446a039d..664eddd0 100644 --- a/docs/apidocs/be/ugent/rml/Executor.html +++ b/docs/apidocs/be/ugent/rml/Executor.html @@ -1,44 +1,58 @@ - + - + +Executor (rmlmapper 4.6.0 API) -Executor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class Executor

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.Executor
      • @@ -109,9 +116,8 @@

        Class Executor


        • -
          public class Executor
          -extends Object
          +extends java.lang.Object
    @@ -119,87 +125,112 @@

    Class Executor

    @@ -207,160 +238,167 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/Initializer.html b/docs/apidocs/be/ugent/rml/Initializer.html index 5c4b1663..bda3d524 100644 --- a/docs/apidocs/be/ugent/rml/Initializer.html +++ b/docs/apidocs/be/ugent/rml/Initializer.html @@ -1,44 +1,58 @@ - + - + +Initializer (rmlmapper 4.6.0 API) -Initializer (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class Initializer

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.Initializer
      • @@ -109,9 +116,8 @@

        Class Initializer


        • -
          public class Initializer
          -extends Object
          +extends java.lang.Object
    @@ -119,57 +125,77 @@

    Class Initializer

    @@ -177,78 +203,85 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/Mapping.html b/docs/apidocs/be/ugent/rml/Mapping.html index a23622a0..8dc9616b 100644 --- a/docs/apidocs/be/ugent/rml/Mapping.html +++ b/docs/apidocs/be/ugent/rml/Mapping.html @@ -1,44 +1,58 @@ - + - + +Mapping (rmlmapper 4.6.0 API) -Mapping (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class Mapping

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.Mapping
      • @@ -109,9 +116,8 @@

        Class Mapping


        • -
          public class Mapping
          -extends Object
          +extends java.lang.Object
    @@ -119,58 +125,78 @@

    Class Mapping

    @@ -178,74 +204,81 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/MappingFactory.html b/docs/apidocs/be/ugent/rml/MappingFactory.html index 30605232..0e8763d1 100644 --- a/docs/apidocs/be/ugent/rml/MappingFactory.html +++ b/docs/apidocs/be/ugent/rml/MappingFactory.html @@ -1,44 +1,58 @@ - + - + +MappingFactory (rmlmapper 4.6.0 API) -MappingFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class MappingFactory

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.MappingFactory
      • @@ -109,9 +116,8 @@

        Class MappingFactory


        • -
          public class MappingFactory
          -extends Object
          +extends java.lang.Object
    @@ -119,49 +125,67 @@

    Class MappingFactory

    @@ -169,60 +193,67 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/MappingInfo.html b/docs/apidocs/be/ugent/rml/MappingInfo.html index ad2b8021..62e1e4dd 100644 --- a/docs/apidocs/be/ugent/rml/MappingInfo.html +++ b/docs/apidocs/be/ugent/rml/MappingInfo.html @@ -1,44 +1,58 @@ - + - + +MappingInfo (rmlmapper 4.6.0 API) -MappingInfo (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class MappingInfo

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.MappingInfo
      • @@ -109,9 +116,8 @@

        Class MappingInfo


        • -
          public class MappingInfo
          -extends Object
          +extends java.lang.Object
    @@ -119,53 +125,72 @@

    Class MappingInfo

    @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/NAMESPACES.html b/docs/apidocs/be/ugent/rml/NAMESPACES.html index 77dbdfcf..ac3be9cb 100644 --- a/docs/apidocs/be/ugent/rml/NAMESPACES.html +++ b/docs/apidocs/be/ugent/rml/NAMESPACES.html @@ -1,38 +1,52 @@ - + - + +NAMESPACES (rmlmapper 4.6.0 API) -NAMESPACES (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class NAMESPACES

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.NAMESPACES
      • @@ -103,9 +110,8 @@

        Class NAMESPACES


        • -
          public class NAMESPACES
          -extends Object
          +extends java.lang.Object
    @@ -113,100 +119,134 @@

    Class NAMESPACES

    • +
        -
      • +
      • Field Summary

        - +
        +
        - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + - - + + + + + + + + +
        Fields 
        Modifier and TypeField and DescriptionFieldDescription
        static StringCSVW static java.lang.StringCSVW 
        static StringD2RQ static java.lang.StringD2RQ 
        static StringFNML static java.lang.StringFNML 
        static StringFNO static java.lang.StringFNO 
        static StringPROV static java.lang.StringFNO_S 
        static StringQL static java.lang.StringPROV 
        static StringRDF static java.lang.StringQL 
        static StringRML static java.lang.StringRDF 
        static StringRR static java.lang.StringRML 
        static StringSD static java.lang.StringRR 
        static StringVOID static java.lang.StringSD 
        static StringXSD static java.lang.StringVOID 
        static java.lang.StringXSD 
        +
      +
      +
        -
      • +
      • Constructor Summary

        - +
        +
        - + + + - + + +
        Constructors 
        Constructor and DescriptionConstructorDescription
        NAMESPACES() NAMESPACES() 
        +
      +
      +
      +
    @@ -214,161 +254,175 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Constructor Detail

      - +
        @@ -394,21 +450,25 @@

        NAMESPACES

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html b/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html index 6bb0534e..ad824bdf 100644 --- a/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html +++ b/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html @@ -1,44 +1,58 @@ - + - + +PredicateObjectGraph (rmlmapper 4.6.0 API) -PredicateObjectGraph (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class PredicateObjectGraph

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.PredicateObjectGraph
      • @@ -109,9 +116,8 @@

        Class PredicateObjectGraph<

        • -
          public class PredicateObjectGraph
          -extends Object
          +extends java.lang.Object

    @@ -119,58 +125,78 @@

    Class PredicateObjectGraph< @@ -178,74 +204,81 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html b/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html index 99f9c2a1..df0c0972 100644 --- a/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html +++ b/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html @@ -1,44 +1,58 @@ - + - + +PredicateObjectGraphMapping (rmlmapper 4.6.0 API) -PredicateObjectGraphMapping (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class PredicateObjectGraphMapping

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.PredicateObjectGraphMapping
      • @@ -109,9 +116,8 @@

        Class PredicateObjec

        • -
          public class PredicateObjectGraphMapping
          -extends Object
          +extends java.lang.Object

    @@ -119,74 +125,98 @@

    Class PredicateObjec @@ -194,110 +224,117 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html b/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html index 6b6ff837..344a7a90 100644 --- a/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html +++ b/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html @@ -1,44 +1,58 @@ - + - + +RecordFunctionExecutorFactory (rmlmapper 4.6.0 API) -RecordFunctionExecutorFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class RecordFunctionExecutorFactory

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.RecordFunctionExecutorFactory
      • @@ -109,9 +116,8 @@

        Class RecordFuncti

        • -
          public class RecordFunctionExecutorFactory
          -extends Object
          +extends java.lang.Object

    @@ -119,50 +125,68 @@

    Class RecordFuncti @@ -170,12 +194,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -186,40 +211,46 @@

        RecordFunctionExecutorFactory

    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html b/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html index a5fd0a21..e3d18c96 100644 --- a/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html +++ b/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html @@ -1,44 +1,58 @@ - + - + +TEMPLATETYPE (rmlmapper 4.6.0 API) -TEMPLATETYPE (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Enum TEMPLATETYPE

    • + +
      +
        +
      • + + +

        Nested Class Summary

        +
          +
        • + + +

          Nested classes/interfaces inherited from class java.lang.Enum

          +java.lang.Enum.EnumDesc<E extends java.lang.Enum<E>>
        • +
        +
      • +
      +
      +
    + +
    +
    @@ -196,64 +239,62 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - +
      • values

        -
        public static TEMPLATETYPE[] values()
        +
        public static TEMPLATETYPE[] values()
        Returns an array containing the constants of this enum type, in -the order they are declared. This method may be used to iterate -over the constants as follows: -
        -for (TEMPLATETYPE c : TEMPLATETYPE.values())
        -    System.out.println(c);
        -
        +the order they are declared.
        Returns:
        an array containing the constants of this enum type, in the order they are declared
      - +
      • valueOf

        -
        public static TEMPLATETYPE valueOf(String name)
        +
        public static TEMPLATETYPE valueOf​(java.lang.String name)
        Returns the enum constant of this type with the specified name. The string must match exactly an identifier used to declare an enum constant in this type. (Extraneous whitespace characters are @@ -264,28 +305,32 @@

        valueOf

        Returns:
        the enum constant with the specified name
        Throws:
        -
        IllegalArgumentException - if this enum type has no constant with the specified name
        -
        NullPointerException - if the argument is null
        +
        java.lang.IllegalArgumentException - if this enum type has no constant with the specified name
        +
        java.lang.NullPointerException - if the argument is null
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/Template.html b/docs/apidocs/be/ugent/rml/Template.html index 65d980a4..a15cc267 100644 --- a/docs/apidocs/be/ugent/rml/Template.html +++ b/docs/apidocs/be/ugent/rml/Template.html @@ -1,44 +1,58 @@ - + - + +Template (rmlmapper 4.6.0 API) -Template (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class Template

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.Template
      • @@ -109,9 +116,8 @@

        Class Template


        • -
          public class Template
          -extends Object
          +extends java.lang.Object
    @@ -119,59 +125,80 @@

    Class Template

    @@ -179,12 +206,13 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - + - + - +
      • countVariables

        -
        public int countVariables()
        +
        public int countVariables()
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/TemplateElement.html b/docs/apidocs/be/ugent/rml/TemplateElement.html index 8e1088f7..8847abc1 100644 --- a/docs/apidocs/be/ugent/rml/TemplateElement.html +++ b/docs/apidocs/be/ugent/rml/TemplateElement.html @@ -1,44 +1,58 @@ - + - + +TemplateElement (rmlmapper 4.6.0 API) -TemplateElement (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class TemplateElement

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.TemplateElement
      • @@ -109,9 +116,8 @@

        Class TemplateElement


        • -
          public class TemplateElement
          -extends Object
          +extends java.lang.Object
    @@ -119,53 +125,72 @@

    Class TemplateElement

    @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/Utils.html b/docs/apidocs/be/ugent/rml/Utils.html index 54edeec2..f4b7b527 100644 --- a/docs/apidocs/be/ugent/rml/Utils.html +++ b/docs/apidocs/be/ugent/rml/Utils.html @@ -1,44 +1,58 @@ - + - + +Utils (rmlmapper 4.6.0 API) -Utils (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class Utils

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.Utils
      • @@ -109,9 +116,9 @@

        Class Utils


        • -
          public class Utils
          -extends Object
          +extends java.lang.Object +
          General static utility functions
    @@ -119,233 +126,274 @@

    Class Utils

    @@ -353,12 +401,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -369,265 +418,257 @@

        Utils

    +
    +
      -
    • +
    • Method Detail

      - +
      • getReaderFromLocation

        -
        public static Reader getReaderFromLocation(String location)
        -                                    throws IOException
        +
        public static java.io.Reader getReaderFromLocation​(java.lang.String location)
        +                                            throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getReaderFromLocation

        -
        public static Reader getReaderFromLocation(String location,
        -                                           File basePath,
        -                                           String contentType)
        -                                    throws IOException
        +
        public static java.io.Reader getReaderFromLocation​(java.lang.String location,
        +                                                   java.io.File basePath,
        +                                                   java.lang.String contentType)
        +                                            throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getInputStreamFromLocation

        -
        public static InputStream getInputStreamFromLocation(String location)
        -                                              throws IOException
        +
        public static java.io.InputStream getInputStreamFromLocation​(java.lang.String location)
        +                                                      throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getInputStreamFromLocation

        -
        public static InputStream getInputStreamFromLocation(String location,
        -                                                     File basePath,
        -                                                     String contentType)
        -                                              throws IOException
        +
        public static java.io.InputStream getInputStreamFromLocation​(java.lang.String location,
        +                                                             java.io.File basePath,
        +                                                             java.lang.String contentType)
        +                                                      throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getInputStreamFromMOptionValue

        -
        public static InputStream getInputStreamFromMOptionValue(String mOptionValue)
        +
        public static java.io.InputStream getInputStreamFromMOptionValue​(java.lang.String mOptionValue)
      - +
      • getFile

        -
        public static File getFile(String path)
        -                    throws IOException
        +
        public static java.io.File getFile​(java.lang.String path)
        +                            throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getFile

        -
        public static File getFile(String path,
        -                           File basePath)
        -                    throws IOException
        +
        public static java.io.File getFile​(java.lang.String path,
        +                                   java.io.File basePath)
        +                            throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getReaderFromURL

        -
        public static Reader getReaderFromURL(URL url)
        -                               throws IOException
        +
        public static java.io.Reader getReaderFromURL​(java.net.URL url)
        +                                       throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getReaderFromURL

        -
        public static Reader getReaderFromURL(URL url,
        -                                      String contentType)
        -                               throws IOException
        +
        public static java.io.Reader getReaderFromURL​(java.net.URL url,
        +                                              java.lang.String contentType)
        +                                       throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getReaderFromFile

        -
        public static Reader getReaderFromFile(File file)
        -                                throws FileNotFoundException
        +
        public static java.io.Reader getReaderFromFile​(java.io.File file)
        +                                        throws java.io.FileNotFoundException
        Throws:
        -
        FileNotFoundException
        +
        java.io.FileNotFoundException
      - +
      • getInputStreamFromURL

        -
        public static InputStream getInputStreamFromURL(URL url)
        -                                         throws IOException
        +
        public static java.io.InputStream getInputStreamFromURL​(java.net.URL url)
        +                                                 throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getInputStreamFromURL

        -
        public static InputStream getInputStreamFromURL(URL url,
        -                                                String contentType)
        +
        public static java.io.InputStream getInputStreamFromURL​(java.net.URL url,
        +                                                        java.lang.String contentType)
      - +
      • getInputStreamFromFile

        -
        public static InputStream getInputStreamFromFile(File file)
        -                                          throws FileNotFoundException
        +
        public static java.io.InputStream getInputStreamFromFile​(java.io.File file)
        +                                                  throws java.io.FileNotFoundException
        Throws:
        -
        FileNotFoundException
        +
        java.io.FileNotFoundException
      - +
      • isRemoteFile

        -
        public static boolean isRemoteFile(String location)
        +
        public static boolean isRemoteFile​(java.lang.String location)
      - +
      • getSubjectsFromQuads

        -
        public static List<Term> getSubjectsFromQuads(List<Quad> quads)
        +
        public static java.util.List<Term> getSubjectsFromQuads​(java.util.List<Quad> quads)
      - +
      • getObjectsFromQuads

        -
        public static List<Term> getObjectsFromQuads(List<Quad> quads)
        +
        public static java.util.List<Term> getObjectsFromQuads​(java.util.List<Quad> quads)
      - +
      • getLiteralObjectsFromQuads

        -
        public static List<String> getLiteralObjectsFromQuads(List<Quad> quads)
        +
        public static java.util.List<java.lang.String> getLiteralObjectsFromQuads​(java.util.List<Quad> quads)
      - + - + - - - -
        -
      • -

        readTurtle

        -
        public static RDF4JStore readTurtle(InputStream is,
        -                                    org.eclipse.rdf4j.rio.RDFFormat format)
        +
        public static java.util.List<Term> getList​(QuadStore store,
        +                                           Term first,
        +                                           java.util.List<Term> list)
      - +
      • isValidrrLanguage

        -
        public static boolean isValidrrLanguage(String s)
        +
        public static boolean isValidrrLanguage​(java.lang.String s)
        Check if conforming to https://tools.ietf.org/html/bcp47#section-2.2.9
        Parameters:
        @@ -637,116 +678,97 @@

        isValidrrLanguage

      - - - -
        -
      • -

        readTurtle

        -
        public static RDF4JStore readTurtle(File file,
        -                                    org.eclipse.rdf4j.rio.RDFFormat format)
        -
      • -
      - - - -
        -
      • -

        readTurtle

        -
        public static RDF4JStore readTurtle(File mappingFile)
        -
      • -
      - +
      • encodeURI

        -
        public static String encodeURI(String url)
        +
        public static java.lang.String encodeURI​(java.lang.String url)
      - +
      • fileToString

        -
        public static String fileToString(File file)
        -                           throws IOException
        +
        public static java.lang.String fileToString​(java.io.File file)
        +                                     throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • selectedColumnHash

        -
        public static int selectedColumnHash(String query)
        +
        public static int selectedColumnHash​(java.lang.String query)
      - +
      • getHash

        -
        public static int getHash(String query)
        +
        public static int getHash​(java.lang.String query)
      - +
      • readFile

        -
        public static String readFile(String path,
        -                              Charset encoding)
        -                       throws IOException
        +
        public static java.lang.String readFile​(java.lang.String path,
        +                                        java.nio.charset.Charset encoding)
        +                                 throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - + - +
      • getFreePortNumber

        -
        public static int getFreePortNumber()
        -                             throws IOException
        +
        public static int getFreePortNumber()
        +                             throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • parseTemplate

        -
        public static List<Extractor> parseTemplate(String template)
        +
        public static java.util.List<Extractor> parseTemplate​(java.lang.String template)
        This method parse the generic template and returns a list of Extractors that can later be used by the executor to get the data values from the records.
        @@ -758,41 +780,41 @@

        parseTemplate

      - +
      • randomString

        -
        public static String randomString(int len)
        +
        public static java.lang.String randomString​(int len)
      - +
      • hashCode

        -
        public static String hashCode(String s)
        +
        public static java.lang.String hashCode​(java.lang.String s)
      - +
      • ntriples2hdt

        -
        public static void ntriples2hdt(String rdfInputPath,
        -                                String hdtOutputPath)
        +
        public static void ntriples2hdt​(java.lang.String rdfInputPath,
        +                                java.lang.String hdtOutputPath)
      - +
      • isValidIRI

        -
        public static boolean isValidIRI(String iri)
        +
        public static boolean isValidIRI​(java.lang.String iri)
        This method returns true if a string is valid IRI.
        Parameters:
        @@ -802,13 +824,13 @@

        isValidIRI

      - +
      • isRelativeIRI

        -
        public static boolean isRelativeIRI(String iri)
        +
        public static boolean isRelativeIRI​(java.lang.String iri)
        This method returns true if a string is a relative IRI.
        Parameters:
        @@ -818,69 +840,73 @@

        isRelativeIRI

      - +
      • getBaseDirectiveTurtle

        -
        public static String getBaseDirectiveTurtle(File file)
        +
        public static java.lang.String getBaseDirectiveTurtle​(java.io.File file)
      - +
      • getBaseDirectiveTurtle

        -
        public static String getBaseDirectiveTurtle(InputStream is)
        +
        public static java.lang.String getBaseDirectiveTurtle​(java.io.InputStream is)
      - +
      • getBaseDirectiveTurtle

        -
        public static String getBaseDirectiveTurtle(String turtle)
        +
        public static java.lang.String getBaseDirectiveTurtle​(java.lang.String turtle)
      - +
      • transformDatatypeString

        -
        public static String transformDatatypeString(String input,
        -                                             String datatype)
        +
        public static java.lang.String transformDatatypeString​(java.lang.String input,
        +                                                       java.lang.String datatype)
      - +
      • getHashOfString

        -
        public static int getHashOfString(String str)
        +
        public static int getHashOfString​(java.lang.String str)
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html b/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html index da969e22..1923d512 100644 --- a/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html +++ b/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html @@ -1,44 +1,58 @@ - + - + +ValuedJoinCondition (rmlmapper 4.6.0 API) -ValuedJoinCondition (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml
    +
    Package be.ugent.rml

    Class ValuedJoinCondition

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.ValuedJoinCondition
      • @@ -109,9 +116,8 @@

        Class ValuedJoinCondition

      • -
        public class ValuedJoinCondition
        -extends Object
        +extends java.lang.Object
    @@ -119,53 +125,72 @@

    Class ValuedJoinCondition
  • +
    +
    +
    +
  • @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • ValuedJoinCondition

        -
        public ValuedJoinCondition(Template path,
        -                           List<String> values)
        +
        public ValuedJoinCondition​(Template path,
        +                           java.util.List<java.lang.String> values)
    +
    +
      -
    • +
    • Method Detail

      - + - +
      • getValues

        -
        public List<String> getValues()
        +
        public java.util.List<java.lang.String> getValues()
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/access/Access.html b/docs/apidocs/be/ugent/rml/access/Access.html index a0bca610..093e9b73 100644 --- a/docs/apidocs/be/ugent/rml/access/Access.html +++ b/docs/apidocs/be/ugent/rml/access/Access.html @@ -1,44 +1,58 @@ - + - + +Access (rmlmapper 4.6.0 API) -Access (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Interface Access

    @@ -102,10 +109,9 @@

    Interface Access

  • All Known Implementing Classes:
    -
    LocalFileAccess, RDBAccess, RemoteFileAccess, SPARQLEndpointAccess
    +
    LocalFileAccess, RDBAccess, RemoteFileAccess, SPARQLEndpointAccess

    -
    public interface Access
    This interface represents the access to a data source. For example, a local file, a remote file, a relational database, and so on.
    @@ -116,32 +122,43 @@

    Interface Access

  • + + @@ -149,35 +166,40 @@

    Method Summary

    • +
        -
      • +
      • Method Detail

        - +
        • getInputStream

          -
          InputStream getInputStream()
          -                    throws IOException
          +
          java.io.InputStream getInputStream()
          +                            throws java.io.IOException,
          +                                   java.sql.SQLException,
          +                                   java.lang.ClassNotFoundException
          This method returns an InputStream for the access.
          Returns:
          the InputStream corresponding to the access.
          Throws:
          -
          IOException
          +
          java.io.IOException
          +
          java.sql.SQLException
          +
          java.lang.ClassNotFoundException
        - +
        • getDataTypes

          -
          Map<String,String> getDataTypes()
          +
          java.util.Map<java.lang.String,​java.lang.String> getDataTypes()
          This method returns a map of datatypes. References to values are mapped to their datatypes, if available.
          @@ -188,21 +210,25 @@

          getDataTypes

      +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/access/AccessFactory.html b/docs/apidocs/be/ugent/rml/access/AccessFactory.html index 89b68336..059f49aa 100644 --- a/docs/apidocs/be/ugent/rml/access/AccessFactory.html +++ b/docs/apidocs/be/ugent/rml/access/AccessFactory.html @@ -1,44 +1,58 @@ - + - + +AccessFactory (rmlmapper 4.6.0 API) -AccessFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Class AccessFactory

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.access.AccessFactory
      • @@ -109,9 +116,8 @@

        Class AccessFactory


        • -
          public class AccessFactory
          -extends Object
          +extends java.lang.Object
          This class creates Access instances.
        @@ -120,53 +126,71 @@

        Class AccessFactory

        • +
            -
          • +
          • Constructor Summary

            - +
            +
            - + + + - + +
            Constructors 
            Constructor and DescriptionConstructorDescription
            AccessFactory(String basePath) +AccessFactory​(java.lang.String basePath)
            The constructor of the AccessFactory.
            +
    + +
    +
    @@ -174,18 +198,19 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • AccessFactory

        -
        public AccessFactory(String basePath)
        +
        public AccessFactory​(java.lang.String basePath)
        The constructor of the AccessFactory.
        Parameters:
        @@ -195,20 +220,22 @@

        AccessFactory

    +
    +
      -
    • +
    • Method Detail

      - +
      • getAccess

        -
        public Access getAccess(Term logicalSource,
        -                        QuadStore rmlStore)
        +
        public Access getAccess​(Term logicalSource,
        +                        QuadStore rmlStore)
        This method returns an Access instance based on the RML rules in rmlStore.
        Parameters:
        @@ -221,21 +248,25 @@

        getAccess

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/access/DatabaseType.html b/docs/apidocs/be/ugent/rml/access/DatabaseType.html new file mode 100644 index 00000000..8814414e --- /dev/null +++ b/docs/apidocs/be/ugent/rml/access/DatabaseType.html @@ -0,0 +1,481 @@ + + + + + +DatabaseType (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    + +
    +
    + +

    Enum DatabaseType

    +
    +
    +
      +
    • java.lang.Object
    • +
    • +
        +
      • java.lang.Enum<DatabaseType>
      • +
      • +
          +
        • be.ugent.rml.access.DatabaseType
        • +
        +
      • +
      +
    • +
    +
    +
      +
    • +
      +
      All Implemented Interfaces:
      +
      java.io.Serializable, java.lang.Comparable<DatabaseType>, java.lang.constant.Constable
      +
      +
      +
      public enum DatabaseType
      +extends java.lang.Enum<DatabaseType>
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Nested Class Summary

        +
          +
        • + + +

          Nested classes/interfaces inherited from class java.lang.Enum

          +java.lang.Enum.EnumDesc<E extends java.lang.Enum<E>>
        • +
        +
      • +
      +
      + +
      + +
      + +
      +
        +
      • + + +

        Method Summary

        +
        +
        +
        + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Modifier and TypeMethodDescription
        static DatabaseTypegetDBtype​(java.lang.String db) 
        java.lang.StringgetDriver() 
        java.lang.StringgetDriverSubstring() 
        java.lang.StringgetJDBCPrefix() 
        java.lang.StringtoString() 
        static DatabaseTypevalueOf​(java.lang.String name) +
        Returns the enum constant of this type with the specified name.
        +
        static DatabaseType[]values() +
        Returns an array containing the constants of this enum type, in +the order they are declared.
        +
        +
        +
        +
          +
        • + + +

          Methods inherited from class java.lang.Enum

          +compareTo, describeConstable, equals, getDeclaringClass, hashCode, name, ordinal, valueOf
        • +
        +
          +
        • + + +

          Methods inherited from class java.lang.Object

          +getClass, notify, notifyAll, wait, wait, wait
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
      +
    • + +
      + +
      + +
      +
        +
      • + + +

        Method Detail

        + + + +
          +
        • +

          values

          +
          public static DatabaseType[] values()
          +
          Returns an array containing the constants of this enum type, in +the order they are declared.
          +
          +
          Returns:
          +
          an array containing the constants of this enum type, in the order they are declared
          +
          +
        • +
        + + + +
          +
        • +

          valueOf

          +
          public static DatabaseType valueOf​(java.lang.String name)
          +
          Returns the enum constant of this type with the specified name. +The string must match exactly an identifier used to declare an +enum constant in this type. (Extraneous whitespace characters are +not permitted.)
          +
          +
          Parameters:
          +
          name - the name of the enum constant to be returned.
          +
          Returns:
          +
          the enum constant with the specified name
          +
          Throws:
          +
          java.lang.IllegalArgumentException - if this enum type has no constant with the specified name
          +
          java.lang.NullPointerException - if the argument is null
          +
          +
        • +
        + + + +
          +
        • +

          toString

          +
          public java.lang.String toString()
          +
          +
          Overrides:
          +
          toString in class java.lang.Enum<DatabaseType>
          +
          +
        • +
        + + + +
          +
        • +

          getJDBCPrefix

          +
          public java.lang.String getJDBCPrefix()
          +
        • +
        + + + +
          +
        • +

          getDriverSubstring

          +
          public java.lang.String getDriverSubstring()
          +
        • +
        + + + +
          +
        • +

          getDriver

          +
          public java.lang.String getDriver()
          +
        • +
        + + + +
          +
        • +

          getDBtype

          +
          public static DatabaseType getDBtype​(java.lang.String db)
          +
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
    + + + + diff --git a/docs/apidocs/be/ugent/rml/access/LocalFileAccess.html b/docs/apidocs/be/ugent/rml/access/LocalFileAccess.html index b5237e9d..db4e2cc3 100644 --- a/docs/apidocs/be/ugent/rml/access/LocalFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/LocalFileAccess.html @@ -1,44 +1,58 @@ - + - + +LocalFileAccess (rmlmapper 4.6.0 API) -LocalFileAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Class LocalFileAccess

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.access.LocalFileAccess
      • @@ -110,13 +117,12 @@

        Class LocalFileAccess

      • All Implemented Interfaces:
        -
        Access
        +
        Access

        -
        public class LocalFileAccess
        -extends Object
        -implements Access
        +extends java.lang.Object +implements Access
        This class represents access to a local file.
      @@ -125,83 +131,107 @@

      Class LocalFileAccess

      • +
          -
        • +
        • Constructor Summary

          - +
          +
          - + + + - + +
          Constructors 
          Constructor and DescriptionConstructorDescription
          LocalFileAccess(String path, - String basePath) +LocalFileAccess​(java.lang.String path, + java.lang.String basePath)
          This constructor takes the path and the base path of a file.
          +
    + +
    +
    @@ -209,19 +239,20 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • LocalFileAccess

        -
        public LocalFileAccess(String path,
        -                       String basePath)
        +
        public LocalFileAccess​(java.lang.String path,
        +                       java.lang.String basePath)
        This constructor takes the path and the base path of a file.
        Parameters:
        @@ -232,81 +263,83 @@

        LocalFileAccess

    +
    +
      -
    • +
    • Method Detail

      - + - +
      • getDataTypes

        -
        public Map<String,String> getDataTypes()
        +
        public java.util.Map<java.lang.String,​java.lang.String> getDataTypes()
        This methods returns the datatypes of the file. This method always returns null, because the datatypes can't be determined from a local file for the moment.
        Specified by:
        -
        getDataTypes in interface Access
        +
        getDataTypes in interface Access
        Returns:
        the datatypes of the file.
      - +
      • equals

        -
        public boolean equals(Object o)
        +
        public boolean equals​(java.lang.Object o)
        Overrides:
        -
        equals in class Object
        +
        equals in class java.lang.Object
      - +
      • hashCode

        -
        public int hashCode()
        +
        public int hashCode()
        Overrides:
        -
        hashCode in class Object
        +
        hashCode in class java.lang.Object
      - +
      • getPath

        -
        public String getPath()
        +
        public java.lang.String getPath()
        This method returns the path of the access.
        Returns:
        @@ -314,13 +347,13 @@

        getPath

      - +
      • getBasePath

        -
        public String getBasePath()
        +
        public java.lang.String getBasePath()
        This method returns the base path of the access.
        Returns:
        @@ -328,36 +361,40 @@

        getBasePath

      - +
      • toString

        -
        public String toString()
        +
        public java.lang.String toString()
        Overrides:
        -
        toString in class Object
        +
        toString in class java.lang.Object
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/access/RDBAccess.html b/docs/apidocs/be/ugent/rml/access/RDBAccess.html index ead9e835..44e11054 100644 --- a/docs/apidocs/be/ugent/rml/access/RDBAccess.html +++ b/docs/apidocs/be/ugent/rml/access/RDBAccess.html @@ -1,44 +1,58 @@ - + - + +RDBAccess (rmlmapper 4.6.0 API) -RDBAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Class RDBAccess

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.access.RDBAccess
      • @@ -110,13 +117,12 @@

        Class RDBAccess

      • All Implemented Interfaces:
        -
        Access
        +
        Access

        -
        public class RDBAccess
        -extends Object
        -implements Access
        +extends java.lang.Object +implements Access
        This class represents the access to a relational database.
      @@ -125,107 +131,134 @@

      Class RDBAccess

      • +
          -
        • +
        • Constructor Summary

          - +
          +
          - + + + - + +
          Constructors 
          Constructor and DescriptionConstructorDescription
          RDBAccess(String dsn, - DatabaseType.Database database, - String username, - String password, - String query, - String contentType) +RDBAccess​(java.lang.String dsn, + DatabaseType databaseType, + java.lang.String username, + java.lang.String password, + java.lang.String query, + java.lang.String contentType)
          This constructor takes as arguments the dsn, database, username, password, query, and content type.
          +
    + +
    +
    @@ -233,28 +266,29 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • RDBAccess

        -
        public RDBAccess(String dsn,
        -                 DatabaseType.Database database,
        -                 String username,
        -                 String password,
        -                 String query,
        -                 String contentType)
        +
        public RDBAccess​(java.lang.String dsn,
        +                 DatabaseType databaseType,
        +                 java.lang.String username,
        +                 java.lang.String password,
        +                 java.lang.String query,
        +                 java.lang.String contentType)
        This constructor takes as arguments the dsn, database, username, password, query, and content type.
        Parameters:
        dsn - the data source name.
        -
        database - the database type.
        +
        databaseType - the database type.
        username - the username of the user that executes the query.
        password - the password of the above user.
        query - the SQL query to use.
        @@ -264,80 +298,86 @@

        RDBAccess

    +
    +
      -
    • +
    • Method Detail

      - +
      • getInputStream

        -
        public InputStream getInputStream()
        -                           throws IOException
        +
        public java.io.InputStream getInputStream()
        +                                   throws java.io.IOException,
        +                                          java.sql.SQLException,
        +                                          java.lang.ClassNotFoundException
        This method returns an InputStream of the results of the SQL query.
        Specified by:
        -
        getInputStream in interface Access
        +
        getInputStream in interface Access
        Returns:
        an InputStream with the results.
        Throws:
        -
        IOException
        +
        java.io.IOException
        +
        java.sql.SQLException
        +
        java.lang.ClassNotFoundException
      - +
      • getDataTypes

        -
        public Map<String,String> getDataTypes()
        +
        public java.util.Map<java.lang.String,​java.lang.String> getDataTypes()
        This method returns the datatypes used for the columns in the accessed database.
        Specified by:
        -
        getDataTypes in interface Access
        +
        getDataTypes in interface Access
        Returns:
        a map of column names and their datatypes.
      - +
      • equals

        -
        public boolean equals(Object o)
        +
        public boolean equals​(java.lang.Object o)
        Overrides:
        -
        equals in class Object
        +
        equals in class java.lang.Object
      - +
      • hashCode

        -
        public int hashCode()
        +
        public int hashCode()
        Overrides:
        -
        hashCode in class Object
        +
        hashCode in class java.lang.Object
      - +
      • getDSN

        -
        public String getDSN()
        +
        public java.lang.String getDSN()
        This method returns the DNS.
        Returns:
        @@ -345,13 +385,13 @@

        getDSN

      - +
      • -

        getDatabase

        -
        public DatabaseType.Database getDatabase()
        +

        getDatabaseType

        +
        public DatabaseType getDatabaseType()
        This method returns the database type.
        Returns:
        @@ -359,13 +399,13 @@

        getDatabase

      - +
      • getUsername

        -
        public String getUsername()
        +
        public java.lang.String getUsername()
        This method returns the username.
        Returns:
        @@ -373,13 +413,13 @@

        getUsername

      - +
      • getPassword

        -
        public String getPassword()
        +
        public java.lang.String getPassword()
        This method returns the password.
        Returns:
        @@ -387,13 +427,13 @@

        getPassword

      - +
      • getQuery

        -
        public String getQuery()
        +
        public java.lang.String getQuery()
        This method returns the SQL query.
        Returns:
        @@ -401,13 +441,13 @@

        getQuery

      - +
      • getContentType

        -
        public String getContentType()
        +
        public java.lang.String getContentType()
        This method returns the content type.
        Returns:
        @@ -417,21 +457,25 @@

        getContentType

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html b/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html index 009a4d7a..bee13b0f 100644 --- a/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html @@ -1,44 +1,58 @@ - + - + +RemoteFileAccess (rmlmapper 4.6.0 API) -RemoteFileAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Class RemoteFileAccess

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.access.RemoteFileAccess
      • @@ -110,13 +117,12 @@

        Class RemoteFileAccess

      • All Implemented Interfaces:
        -
        Access
        +
        Access

        -
        public class RemoteFileAccess
        -extends Object
        -implements Access
        +extends java.lang.Object +implements Access
        This class represents access to a remote file.
      @@ -125,82 +131,106 @@

      Class RemoteFileAccess

      • +
          -
        • +
        • Constructor Summary

          - +
          +
          - + + + - + + - + +
          Constructors 
          Constructor and DescriptionConstructorDescription
          RemoteFileAccess(String location) RemoteFileAccess​(java.lang.String location) 
          RemoteFileAccess(String location, - String contentType) +RemoteFileAccess​(java.lang.String location, + java.lang.String contentType)
          This constructor of RemoteFileAccess taking location and content type as arguments.
          +
    + +
    +
    @@ -208,28 +238,29 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • RemoteFileAccess

        -
        public RemoteFileAccess(String location)
        +
        public RemoteFileAccess​(java.lang.String location)
      - +
      • RemoteFileAccess

        -
        public RemoteFileAccess(String location,
        -                        String contentType)
        +
        public RemoteFileAccess​(java.lang.String location,
        +                        java.lang.String contentType)
        This constructor of RemoteFileAccess taking location and content type as arguments.
        Parameters:
        @@ -240,82 +271,84 @@

        RemoteFileAccess

    +
    +
      -
    • +
    • Method Detail

      - +
      • getInputStream

        -
        public InputStream getInputStream()
        -                           throws IOException
        -
        Description copied from interface: Access
        +
        public java.io.InputStream getInputStream()
        +                                   throws java.io.IOException
        +
        Description copied from interface: Access
        This method returns an InputStream for the access.
        Specified by:
        -
        getInputStream in interface Access
        +
        getInputStream in interface Access
        Returns:
        the InputStream corresponding to the access.
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getDataTypes

        -
        public Map<String,String> getDataTypes()
        +
        public java.util.Map<java.lang.String,​java.lang.String> getDataTypes()
        This methods returns the datatypes of the file. This method always returns null, because the datatypes can't be determined from a remote file for the moment.
        Specified by:
        -
        getDataTypes in interface Access
        +
        getDataTypes in interface Access
        Returns:
        the datatypes of the file.
      - +
      • equals

        -
        public boolean equals(Object o)
        +
        public boolean equals​(java.lang.Object o)
        Overrides:
        -
        equals in class Object
        +
        equals in class java.lang.Object
      - +
      • hashCode

        -
        public int hashCode()
        +
        public int hashCode()
        Overrides:
        -
        hashCode in class Object
        +
        hashCode in class java.lang.Object
      - +
      • getLocation

        -
        public String getLocation()
        +
        public java.lang.String getLocation()
        The method returns the location of the remote file.
        Returns:
        @@ -323,13 +356,13 @@

        getLocation

      - +
      • getContentType

        -
        public String getContentType()
        +
        public java.lang.String getContentType()
        This method returns the content type of the remote file.
        Returns:
        @@ -339,21 +372,25 @@

        getContentType

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html b/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html index a797eb50..333c4bb7 100644 --- a/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html +++ b/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html @@ -1,44 +1,58 @@ - + - + +SPARQLEndpointAccess (rmlmapper 4.6.0 API) -SPARQLEndpointAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.access
    +

    Class SPARQLEndpointAccess

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.access.SPARQLEndpointAccess
      • @@ -110,13 +117,12 @@

        Class SPARQLEndpointAccess<
      • All Implemented Interfaces:
        -
        Access
        +
        Access

        -
        public class SPARQLEndpointAccess
        -extends Object
        -implements Access
        +extends java.lang.Object +implements Access
        This class represents the access to a SPARQL endpoint.
      @@ -125,86 +131,110 @@

      Class SPARQLEndpointAccess<
      • +
          -
        • +
        • Constructor Summary

          - +
          +
          - + + + - + +
          Constructors 
          Constructor and DescriptionConstructorDescription
          SPARQLEndpointAccess(String contentType, - String endpoint, - String query) +SPARQLEndpointAccess​(java.lang.String contentType, + java.lang.String endpoint, + java.lang.String query)
          This constructor takes a content type, url of the endpoint, and a SPARQL query as arguments.
          +

    + +
    +
    @@ -212,20 +242,21 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • SPARQLEndpointAccess

        -
        public SPARQLEndpointAccess(String contentType,
        -                            String endpoint,
        -                            String query)
        +
        public SPARQLEndpointAccess​(java.lang.String contentType,
        +                            java.lang.String endpoint,
        +                            java.lang.String query)
        This constructor takes a content type, url of the endpoint, and a SPARQL query as arguments.
        Parameters:
        @@ -237,81 +268,83 @@

        SPARQLEndpointAccess

    +
    +
      -
    • +
    • Method Detail

      - +
      • getInputStream

        -
        public InputStream getInputStream()
        -                           throws IOException
        +
        public java.io.InputStream getInputStream()
        +                                   throws java.io.IOException
        This method returns an InputStream of the results of the SPARQL endpoint.
        Specified by:
        -
        getInputStream in interface Access
        +
        getInputStream in interface Access
        Returns:
        an InputStream.
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • equals

        -
        public boolean equals(Object o)
        +
        public boolean equals​(java.lang.Object o)
        Overrides:
        -
        equals in class Object
        +
        equals in class java.lang.Object
      - +
      • hashCode

        -
        public int hashCode()
        +
        public int hashCode()
        Overrides:
        -
        hashCode in class Object
        +
        hashCode in class java.lang.Object
      - +
      • getDataTypes

        -
        public Map<String,String> getDataTypes()
        +
        public java.util.Map<java.lang.String,​java.lang.String> getDataTypes()
        This methods returns the datatypes of the results of the SPARQL query. This method always returns null at the moment.
        Specified by:
        -
        getDataTypes in interface Access
        +
        getDataTypes in interface Access
        Returns:
        the datatypes of the results of the SPARQL query.
      - +
      • getContentType

        -
        public String getContentType()
        +
        public java.lang.String getContentType()
        This method returns the content type of the results.
        Returns:
        @@ -319,13 +352,13 @@

        getContentType

      - +
      • getEndpoint

        -
        public String getEndpoint()
        +
        public java.lang.String getEndpoint()
        This method returns the url of the endpoint.
        Returns:
        @@ -333,13 +366,13 @@

        getEndpoint

      - +
      • getQuery

        -
        public String getQuery()
        +
        public java.lang.String getQuery()
        This method returns the SPARQL query that is used to get the results.
        Returns:
        @@ -349,21 +382,25 @@

        getQuery

    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/access/class-use/Access.html b/docs/apidocs/be/ugent/rml/access/class-use/Access.html index a5c4a486..c20c8c77 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/Access.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/Access.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.access.Access (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.access.Access (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.access.Access

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html b/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html index 22d1717e..90e6b338 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.access.AccessFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.access.AccessFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.access.AccessFactory

    No usage of be.ugent.rml.access.AccessFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html b/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html new file mode 100644 index 00000000..d76fad7a --- /dev/null +++ b/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html @@ -0,0 +1,206 @@ + + + + + +Uses of Class be.ugent.rml.access.DatabaseType (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Uses of Class
    be.ugent.rml.access.DatabaseType

    +
    +
    + +
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html index a3cd9480..752756f8 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.access.LocalFileAccess (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.access.LocalFileAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.access.LocalFileAccess

    No usage of be.ugent.rml.access.LocalFileAccess
    +
    + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html index 962d5770..f298d231 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.access.RDBAccess (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.access.RDBAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.access.RDBAccess

    No usage of be.ugent.rml.access.RDBAccess
    +
    + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html index 836e5061..a2cf4883 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.access.RemoteFileAccess (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.access.RemoteFileAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.access.RemoteFileAccess

    No usage of be.ugent.rml.access.RemoteFileAccess
    +
    + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html index 5cba8d01..c0811575 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.access.SPARQLEndpointAccess (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.access.SPARQLEndpointAccess (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.access.SPARQLEndpointAccess

    No usage of be.ugent.rml.access.SPARQLEndpointAccess
    +
    + diff --git a/docs/apidocs/be/ugent/rml/access/package-summary.html b/docs/apidocs/be/ugent/rml/access/package-summary.html index 246113a5..294c6b89 100644 --- a/docs/apidocs/be/ugent/rml/access/package-summary.html +++ b/docs/apidocs/be/ugent/rml/access/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.access (rmlmapper 4.6.0 API) -be.ugent.rml.access (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.access

    • - +
      +
      @@ -84,16 +92,18 @@

      Package be.ugent.rml.access

      - +
      Interface Summary 
      Interface
      AccessAccess
      This interface represents the access to a data source.
      +
  • - +
    +
    @@ -101,50 +111,71 @@

    Package be.ugent.rml.access

    - + - + - + - + - +
    Class Summary 
    Class
    AccessFactoryAccessFactory
    This class creates Access instances.
    LocalFileAccessLocalFileAccess
    This class represents access to a local file.
    RDBAccessRDBAccess
    This class represents the access to a relational database.
    RemoteFileAccessRemoteFileAccess
    This class represents access to a remote file.
    SPARQLEndpointAccessSPARQLEndpointAccess
    This class represents the access to a SPARQL endpoint.
    + +
  • +
  • +
    + + + + + + + + + + + + +
    Enum Summary 
    EnumDescription
    DatabaseType 
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/access/package-tree.html b/docs/apidocs/be/ugent/rml/access/package-tree.html index 260ba08b..d99211c1 100644 --- a/docs/apidocs/be/ugent/rml/access/package-tree.html +++ b/docs/apidocs/be/ugent/rml/access/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.access Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.access Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.access

    Package Hierarchies: @@ -78,33 +85,54 @@

    Hierarchy For Package be.ugent.rml.access

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

    +
    +
    +

    Enum Hierarchy

    +
      +
    • java.lang.Object +
        +
      • java.lang.Enum<E> (implements java.lang.Comparable<T>, java.lang.constant.Constable, java.io.Serializable) + +
      • +
      +
    • +
    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/access/package-use.html b/docs/apidocs/be/ugent/rml/access/package-use.html index 3a3f3a56..ec775f5d 100644 --- a/docs/apidocs/be/ugent/rml/access/package-use.html +++ b/docs/apidocs/be/ugent/rml/access/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.access (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.access (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.access

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.access used by be.ugent.rml.access 
    + - + + - + + + + +
    Classes in be.ugent.rml.access used by be.ugent.rml.access 
    Class and DescriptionClassDescription
    Access +Access
    This interface represents the access to a data source.
    DatabaseType 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.access used by be.ugent.rml.records 
    + - + + - +
    Classes in be.ugent.rml.access used by be.ugent.rml.records 
    Class and DescriptionClassDescription
    Access +Access
    This interface represents the access to a data source.
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/class-use/Executor.html b/docs/apidocs/be/ugent/rml/class-use/Executor.html index 886af734..9d2cf9d7 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Executor.html +++ b/docs/apidocs/be/ugent/rml/class-use/Executor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.Executor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.Executor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.Executor

    No usage of be.ugent.rml.Executor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/Initializer.html b/docs/apidocs/be/ugent/rml/class-use/Initializer.html index 65682dae..1e84f863 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Initializer.html +++ b/docs/apidocs/be/ugent/rml/class-use/Initializer.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.Initializer (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.Initializer (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.Initializer

    No usage of be.ugent.rml.Initializer
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/Mapping.html b/docs/apidocs/be/ugent/rml/class-use/Mapping.html index f448e477..ef84009e 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Mapping.html +++ b/docs/apidocs/be/ugent/rml/class-use/Mapping.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.Mapping (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.Mapping (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.Mapping

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html b/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html index e4aa6757..456f2790 100644 --- a/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html +++ b/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.MappingFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.MappingFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.MappingFactory

    No usage of be.ugent.rml.MappingFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html b/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html index d31917b3..a4289f9c 100644 --- a/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html +++ b/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.MappingInfo (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.MappingInfo (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.MappingInfo

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html b/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html index 041dcb22..a57797b1 100644 --- a/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html +++ b/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.NAMESPACES (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.NAMESPACES (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.NAMESPACES

    No usage of be.ugent.rml.NAMESPACES
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html index 2d68796a..b7111ef2 100644 --- a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html +++ b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.PredicateObjectGraph (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.PredicateObjectGraph (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.PredicateObjectGraph

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html index bcfee4b6..909cb12c 100644 --- a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html +++ b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.PredicateObjectGraphMapping (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.PredicateObjectGraphMapping (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.PredicateObjectGraphMapping

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html b/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html index 75a22761..54da1152 100644 --- a/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html +++ b/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.RecordFunctionExecutorFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.RecordFunctionExecutorFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.RecordFunctionExecutorFactory

    No usage of be.ugent.rml.RecordFunctionExecutorFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html b/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html index e2bfd614..28d2519f 100644 --- a/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html +++ b/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.TEMPLATETYPE (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.TEMPLATETYPE (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.TEMPLATETYPE

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/Template.html b/docs/apidocs/be/ugent/rml/class-use/Template.html index 75761d01..9085ab61 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Template.html +++ b/docs/apidocs/be/ugent/rml/class-use/Template.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.Template (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.Template (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.Template

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html b/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html index 8373822c..2a22590f 100644 --- a/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html +++ b/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.TemplateElement (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.TemplateElement (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.TemplateElement

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/Utils.html b/docs/apidocs/be/ugent/rml/class-use/Utils.html index 484688f3..dc7b44df 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Utils.html +++ b/docs/apidocs/be/ugent/rml/class-use/Utils.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.Utils (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.Utils (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.Utils

    No usage of be.ugent.rml.Utils
    +
    + diff --git a/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html b/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html index 6fe745c0..6bb55f04 100644 --- a/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html +++ b/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.ValuedJoinCondition (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.ValuedJoinCondition (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.ValuedJoinCondition

    No usage of be.ugent.rml.ValuedJoinCondition
    +
    + diff --git a/docs/apidocs/be/ugent/rml/cli/Main.html b/docs/apidocs/be/ugent/rml/cli/Main.html index 6091b6ab..99f706fb 100644 --- a/docs/apidocs/be/ugent/rml/cli/Main.html +++ b/docs/apidocs/be/ugent/rml/cli/Main.html @@ -1,44 +1,58 @@ - + - + +Main (rmlmapper 4.6.0 API) -Main (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.cli
    +

    Class Main

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.cli.Main
      • @@ -109,9 +116,8 @@

        Class Main


        • -
          public class Main
          -extends Object
          +extends java.lang.Object
    @@ -119,55 +125,74 @@

    Class Main

    • +
        -
      • +
      • Constructor Summary

        - +
        +
        - + + + - + + +
        Constructors 
        Constructor and DescriptionConstructorDescription
        Main() Main() 
        +
      +
      +
        -
      • +
      • Method Summary

        - - +
        +
        +
        +
        All Methods Static Methods Concrete Methods 
        - + + - + + - + + - + - + +
        Modifier and TypeMethod and DescriptionMethodDescription
        static voidmain(String[] args) main​(java.lang.String[] args) 
        static voidmain(String[] args, - String basePath) +main​(java.lang.String[] args, + java.lang.String basePath)
        Main method use for the CLI.
        + +
      +
    @@ -175,12 +200,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -191,29 +217,31 @@

        Main

    +
    +
      -
    • +
    • Method Detail

      - +
      • main

        -
        public static void main(String[] args)
        +
        public static void main​(java.lang.String[] args)
      - +
      • main

        -
        public static void main(String[] args,
        -                        String basePath)
        +
        public static void main​(java.lang.String[] args,
        +                        java.lang.String basePath)
        Main method use for the CLI. Allows to also set the current working directory via the argument basePath.
        Parameters:
        @@ -224,21 +252,25 @@

        main

    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/cli/class-use/Main.html b/docs/apidocs/be/ugent/rml/cli/class-use/Main.html index f9551e8a..e0c270cb 100644 --- a/docs/apidocs/be/ugent/rml/cli/class-use/Main.html +++ b/docs/apidocs/be/ugent/rml/cli/class-use/Main.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.cli.Main (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.cli.Main (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.cli.Main

    No usage of be.ugent.rml.cli.Main
    +
    + diff --git a/docs/apidocs/be/ugent/rml/cli/package-summary.html b/docs/apidocs/be/ugent/rml/cli/package-summary.html index c569436e..97e406c5 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-summary.html +++ b/docs/apidocs/be/ugent/rml/cli/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.cli (rmlmapper 4.6.0 API) -be.ugent.rml.cli (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.cli

    • - +
      +
      @@ -84,24 +92,28 @@

      Package be.ugent.rml.cli

      - +
      Class Summary 
      Class
      MainMain  
      +
    +
    + diff --git a/docs/apidocs/be/ugent/rml/cli/package-tree.html b/docs/apidocs/be/ugent/rml/cli/package-tree.html index 3c27bb93..b6d173b0 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-tree.html +++ b/docs/apidocs/be/ugent/rml/cli/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.cli Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.cli Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.cli

    Package Hierarchies: @@ -78,25 +85,30 @@

    Hierarchy For Package be.ugent.rml.cli

    +

    Class Hierarchy

      -
    • java.lang.Object +
    • java.lang.Object
        -
      • be.ugent.rml.cli.Main
      • +
      • be.ugent.rml.cli.Main
    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/cli/package-use.html b/docs/apidocs/be/ugent/rml/cli/package-use.html index c691aff5..1ddd188a 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-use.html +++ b/docs/apidocs/be/ugent/rml/cli/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.cli (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.cli (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.cli

    No usage of be.ugent.rml.cli
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html b/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html new file mode 100644 index 00000000..1a5dd80b --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html @@ -0,0 +1,359 @@ + + + + + +MappingConformer (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    + +
    +
    + +

    Class MappingConformer

    +
    +
    +
      +
    • java.lang.Object
    • +
    • +
        +
      • be.ugent.rml.conformer.MappingConformer
      • +
      +
    • +
    +
    +
      +
    • +
      +
      public class MappingConformer
      +extends java.lang.Object
      +
      Only validates by checking for at least one TriplesMap. + Converts mapping files to RML. Currently only R2RML converter is implemented. + InputStream of mapping file is used to create a store. TriplesMaps in store that need conversion + are detected by applying the converters detection methods and saved. convert tries to convert these + to RML. Exceptions can be raised during validation and conversion, which the caller has to handle. + Output of detect() informs if convert() should be used to convert to valid RML. + The validated RML can be returned as a QuadStore with getStore().
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Constructor Summary

        +
        + + + + + + + + + + + + + + + + +
        Constructors 
        ConstructorDescription
        MappingConformer​(QuadStore store) +
        Create MappingConformer from InputStream of mapping file in RDF.
        +
        MappingConformer​(QuadStore store, + java.util.Map<java.lang.String,​java.lang.String> mappingOptions) +
        Create MappingConformer from InputStream of mapping file in RDF.
        +
        +
        +
      • +
      +
      + +
      +
        +
      • + + +

        Method Summary

        +
        +
        +
        + + + + + + + + + + + + + + + + + + +
        Modifier and TypeMethodDescription
        booleanconform() +
        This method makes the QuadStore conformant to the RML spec.
        +
        QuadStoregetStore() +
        Get a valid QuadStore
        +
        +
        +
        +
          +
        • + + +

          Methods inherited from class java.lang.Object

          +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Constructor Detail

        + + + +
          +
        • +

          MappingConformer

          +
          public MappingConformer​(QuadStore store)
          +                 throws java.lang.Exception
          +
          Create MappingConformer from InputStream of mapping file in RDF.
          +
          +
          Parameters:
          +
          store - A QuadStore with the mapping rules.
          +
          Throws:
          +
          java.io.FileNotFoundException
          +
          java.lang.Exception
          +
          +
        • +
        + + + +
          +
        • +

          MappingConformer

          +
          public MappingConformer​(QuadStore store,
          +                        java.util.Map<java.lang.String,​java.lang.String> mappingOptions)
          +                 throws java.lang.Exception
          +
          Create MappingConformer from InputStream of mapping file in RDF.
          +
          +
          Parameters:
          +
          store - A QuadStore with the mapping rules.
          +
          Throws:
          +
          java.io.FileNotFoundException
          +
          java.lang.Exception
          +
          +
        • +
        +
      • +
      +
      + +
      +
        +
      • + + +

        Method Detail

        + + + +
          +
        • +

          conform

          +
          public boolean conform()
          +                throws java.lang.Exception
          +
          This method makes the QuadStore conformant to the RML spec.
          +
          +
          Returns:
          +
          True if the store had to be updated, else false.
          +
          Throws:
          +
          java.lang.Exception - if something goes wrong during detection or conversion.
          +
          +
        • +
        + + + +
          +
        • +

          getStore

          +
          public QuadStore getStore()
          +
          Get a valid QuadStore
          +
          +
          Returns:
          +
          a valid QuadStore
          +
          +
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
    + + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html b/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html new file mode 100644 index 00000000..59c56860 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html @@ -0,0 +1,293 @@ + + + + + +R2RMLConverter (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    + +
    +
    + +

    Class R2RMLConverter

    +
    +
    +
      +
    • java.lang.Object
    • +
    • +
        +
      • be.ugent.rml.conformer.R2RMLConverter
      • +
      +
    • +
    +
    +
      +
    • +
      +
      public class R2RMLConverter
      +extends java.lang.Object
      +
      Converts InputStream of R2RML or RML mapping files to RML mapping files. + convert() can fail with an Exception + No support for quoted database identifiers + Uses the first "a d2rq:Database" it finds as source
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Method Summary

        +
        +
        +
        + + + + + + + + + + + + + + + + + + +
        Modifier and TypeMethodDescription
        voidconvert​(Term triplesMap, + java.util.Map<java.lang.String,​java.lang.String> mappingOptions) +
        Tries to convert R2RML TriplesMap to rml by: + - renaming logicalTable -> logicalSource + - adding referenceFormulation: CSV + - adding sqlVersion: SQL2008 + - renaming rr:sqlQuery -> rml:query + - renaming all rr:column properties to rml:reference + - removing all rr:logicalTable nodes, leaving rml:logicalSource to take their place + - moving rest over from logicalTable to logicalSource
        +
        booleandetect​(Term triplesMap) +
        TriplesMap is R2RML if RR:logicalTable property is found
        +
        +
        +
        +
          +
        • + + +

          Methods inherited from class java.lang.Object

          +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Method Detail

        + + + +
          +
        • +

          detect

          +
          public boolean detect​(Term triplesMap)
          +
          TriplesMap is R2RML if RR:logicalTable property is found
          +
          +
          Parameters:
          +
          triplesMap -
          +
          Returns:
          +
          true if triplesMap is R2RML (tripleMap contains a rr:logicalTable)
          +
          +
        • +
        + + + +
          +
        • +

          convert

          +
          public void convert​(Term triplesMap,
          +                    java.util.Map<java.lang.String,​java.lang.String> mappingOptions)
          +             throws java.lang.Exception
          +
          Tries to convert R2RML TriplesMap to rml by: + - renaming logicalTable -> logicalSource + - adding referenceFormulation: CSV + - adding sqlVersion: SQL2008 + - renaming rr:sqlQuery -> rml:query + - renaming all rr:column properties to rml:reference + - removing all rr:logicalTable nodes, leaving rml:logicalSource to take their place + - moving rest over from logicalTable to logicalSource
          +
          +
          Parameters:
          +
          triplesMap - rr:TriplesMap
          +
          Throws:
          +
          java.lang.Exception
          +
          +
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
    + + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html b/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html new file mode 100644 index 00000000..c0f35051 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html @@ -0,0 +1,114 @@ + + + + + +Uses of Class be.ugent.rml.conformer.MappingConformer (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Uses of Class
    be.ugent.rml.conformer.MappingConformer

    +
    +
    No usage of be.ugent.rml.conformer.MappingConformer
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html b/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html new file mode 100644 index 00000000..2c9df494 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html @@ -0,0 +1,114 @@ + + + + + +Uses of Class be.ugent.rml.conformer.R2RMLConverter (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Uses of Class
    be.ugent.rml.conformer.R2RMLConverter

    +
    +
    No usage of be.ugent.rml.conformer.R2RMLConverter
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-summary.html b/docs/apidocs/be/ugent/rml/conformer/package-summary.html new file mode 100644 index 00000000..34c9654f --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/package-summary.html @@ -0,0 +1,142 @@ + + + + + +be.ugent.rml.conformer (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Package be.ugent.rml.conformer

    +
    +
    +
      +
    • +
      + + + + + + + + + + + + + + + + +
      Class Summary 
      ClassDescription
      MappingConformer +
      Only validates by checking for at least one TriplesMap.
      +
      R2RMLConverter +
      Converts InputStream of R2RML or RML mapping files to RML mapping files.
      +
      +
      +
    • +
    +
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-tree.html b/docs/apidocs/be/ugent/rml/conformer/package-tree.html new file mode 100644 index 00000000..4cd24ac6 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/package-tree.html @@ -0,0 +1,130 @@ + + + + + +be.ugent.rml.conformer Class Hierarchy (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Hierarchy For Package be.ugent.rml.conformer

    +Package Hierarchies: + +
    +
    +
    +

    Class Hierarchy

    + +
    +
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-use.html b/docs/apidocs/be/ugent/rml/conformer/package-use.html new file mode 100644 index 00000000..b662b4c4 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/conformer/package-use.html @@ -0,0 +1,114 @@ + + + + + +Uses of Package be.ugent.rml.conformer (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Uses of Package
    be.ugent.rml.conformer

    +
    +
    No usage of be.ugent.rml.conformer
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html b/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html index 68c9f0d7..aec6cba4 100644 --- a/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html @@ -1,44 +1,58 @@ - + - + +ConstantExtractor (rmlmapper 4.6.0 API) -ConstantExtractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.extractor
    +

    Class ConstantExtractor

    @@ -124,52 +130,71 @@

    Class ConstantExtractor

    @@ -177,74 +202,81 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • ConstantExtractor

        -
        public ConstantExtractor(String constant)
        +
        public ConstantExtractor​(java.lang.String constant)
    +
    +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/extractor/Extractor.html b/docs/apidocs/be/ugent/rml/extractor/Extractor.html index 193f53ce..4e82471b 100644 --- a/docs/apidocs/be/ugent/rml/extractor/Extractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/Extractor.html @@ -1,44 +1,58 @@ - + - + +Extractor (rmlmapper 4.6.0 API) -Extractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.extractor
    +

    Interface Extractor

    @@ -102,10 +109,9 @@

    Interface Extractor

  • All Known Implementing Classes:
    -
    ConstantExtractor, ReferenceExtractor
    +
    ConstantExtractor, ReferenceExtractor

    -
    public interface Extractor
  • @@ -114,24 +120,34 @@

    Interface Extractor

    + + @@ -139,37 +155,42 @@

    Method Summary

    +
    + diff --git a/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html b/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html index 0d378593..c62d9424 100644 --- a/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html @@ -1,44 +1,58 @@ - + - + +ReferenceExtractor (rmlmapper 4.6.0 API) -ReferenceExtractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.extractor
    +

    Class ReferenceExtractor

    @@ -124,75 +130,103 @@

    Class ReferenceExtractor

    @@ -200,104 +234,113 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Field Detail

      - +
      • reference

        -
        public String reference
        +
        public java.lang.String reference
    +
    +
      -
    • +
    • Constructor Detail

      - +
      • ReferenceExtractor

        -
        public ReferenceExtractor(String reference)
        +
        public ReferenceExtractor​(java.lang.String reference)
    +
    +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html index 06139519..5f95e8a7 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.extractor.ConstantExtractor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.extractor.ConstantExtractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.extractor.ConstantExtractor

    No usage of be.ugent.rml.extractor.ConstantExtractor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html index 2ea8abd9..3f93eafd 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.extractor.Extractor (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.extractor.Extractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.extractor.Extractor

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html index ae5672b7..8ee51032 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.extractor.ReferenceExtractor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.extractor.ReferenceExtractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.extractor.ReferenceExtractor

    No usage of be.ugent.rml.extractor.ReferenceExtractor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/extractor/package-summary.html b/docs/apidocs/be/ugent/rml/extractor/package-summary.html index b963bccb..eb9ce271 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-summary.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.extractor (rmlmapper 4.6.0 API) -be.ugent.rml.extractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.extractor

    • - +
      +
      @@ -84,14 +92,16 @@

      Package be.ugent.rml.extractor

      - +
      Interface Summary 
      Interface
      ExtractorExtractor  
      +
  • - +
    +
    @@ -99,28 +109,32 @@

    Package be.ugent.rml.extractor

    - + - +
    Class Summary 
    Class
    ConstantExtractorConstantExtractor  
    ReferenceExtractorReferenceExtractor  
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/extractor/package-tree.html b/docs/apidocs/be/ugent/rml/extractor/package-tree.html index f2a1bbd4..cff40fe3 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-tree.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.extractor Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.extractor Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.extractor

    Package Hierarchies: @@ -78,30 +85,37 @@

    Hierarchy For Package be.ugent.rml.extractor

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/extractor/package-use.html b/docs/apidocs/be/ugent/rml/extractor/package-use.html index e718e230..363e95cb 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-use.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.extractor (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.extractor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.extractor

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.extractor used by be.ugent.rml 
    + - + + - + +
    Classes in be.ugent.rml.extractor used by be.ugent.rml 
    Class and DescriptionClassDescription
    Extractor Extractor 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.extractor used by be.ugent.rml.extractor 
    + - + + - + +
    Classes in be.ugent.rml.extractor used by be.ugent.rml.extractor 
    Class and DescriptionClassDescription
    Extractor Extractor 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.extractor used by be.ugent.rml.functions 
    + - + + - + +
    Classes in be.ugent.rml.extractor used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    Extractor Extractor 
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html index 7a83c3fc..e35b6acb 100644 --- a/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html @@ -1,44 +1,58 @@ - + - + +AbstractSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -AbstractSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class AbstractSingleRecordFunctionExecutor

    @@ -128,48 +134,66 @@

    Class Abstr @@ -177,12 +201,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -193,45 +218,51 @@

        AbstractSingleRecordFunctionExecutor

    +
    +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html b/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html index 9c5144d7..6eb9bfd8 100644 --- a/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html +++ b/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html @@ -1,44 +1,58 @@ - + - + +ConcatFunction (rmlmapper 4.6.0 API) -ConcatFunction (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class ConcatFunction

    @@ -124,52 +130,71 @@

    Class ConcatFunction

    @@ -177,68 +202,75 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • ConcatFunction

        -
        public ConcatFunction(List<Extractor> extractors,
        +
        public ConcatFunction​(java.util.List<Extractor> extractors,
                               boolean encodeURI)
      - +
      • ConcatFunction

        -
        public ConcatFunction(List<Extractor> extractors)
        +
        public ConcatFunction​(java.util.List<Extractor> extractors)
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html index 4410d1d7..ca18bb51 100644 --- a/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html @@ -1,44 +1,58 @@ - + - + +DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class DynamicMultipleRecordsFunctionExecutor

    @@ -124,49 +130,67 @@

    Class Dyn @@ -174,62 +198,69 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html index cb132edc..92bcfba5 100644 --- a/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html @@ -1,38 +1,52 @@ - + - + +DynamicSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -DynamicSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class DynamicSingleRecordFunctionExecutor

    @@ -122,45 +128,55 @@

    Class Dynami @@ -168,38 +184,43 @@

    Methods inherited from class java.lang.
  • +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html b/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html index 7d372044..364cc24b 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html @@ -1,44 +1,58 @@ - + - + +FunctionLoader (rmlmapper 4.6.0 API) -FunctionLoader (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class FunctionLoader

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.FunctionLoader
      • @@ -109,9 +116,8 @@

        Class FunctionLoader


        • -
          public class FunctionLoader
          -extends Object
          +extends java.lang.Object
    @@ -119,60 +125,81 @@

    Class FunctionLoader

    @@ -180,88 +207,110 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • FunctionLoader

        -
        public FunctionLoader()
        +
        public FunctionLoader()
        +               throws java.lang.Exception
        +
        +
        Throws:
        +
        java.lang.Exception
        +
      - +
      • FunctionLoader

        -
        public FunctionLoader(File functionsFile)
        +
        public FunctionLoader​(java.io.File functionsFile)
        +               throws java.lang.Exception
        +
        +
        Throws:
        +
        java.lang.Exception
        +
      - +
      • FunctionLoader

        -
        public FunctionLoader(File functionsFile,
        -                      QuadStore functionDescriptionTriples,
        -                      Map<String,Class> libraryMap)
        +
        public FunctionLoader​(java.io.File functionsFile,
        +                      QuadStore functionDescriptionTriples,
        +                      java.util.Map<java.lang.String,​java.lang.Class> libraryMap)
        +               throws java.lang.Exception
        +
        +
        Throws:
        +
        java.lang.Exception
        +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionModel.html b/docs/apidocs/be/ugent/rml/functions/FunctionModel.html index a1b5ca0f..1c4d4f5a 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionModel.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionModel.html @@ -1,44 +1,58 @@ - + - + +FunctionModel (rmlmapper 4.6.0 API) -FunctionModel (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class FunctionModel

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.FunctionModel
      • @@ -109,9 +116,8 @@

        Class FunctionModel


        • -
          public class FunctionModel
          -extends Object
          +extends java.lang.Object
          Function Model
          Author:
          @@ -124,55 +130,74 @@

          Class FunctionModel

    + +
    +
    @@ -180,66 +205,73 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • FunctionModel

        -
        public FunctionModel(Term URI,
        -                     Method m,
        -                     List<Term> parameters,
        -                     List<Term> outputs)
        +
        public FunctionModel​(Term URI,
        +                     java.lang.reflect.Method m,
        +                     java.util.List<Term> parameters,
        +                     java.util.List<Term> outputs)
    +
    +
      -
    • +
    • Method Detail

      - +
      • execute

        -
        public Object execute(Map<String,Object> args)
        +
        public java.lang.Object execute​(java.util.Map<java.lang.String,​java.lang.Object> args)
      - +
      • getURI

        -
        public Term getURI()
        +
        public Term getURI()
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html b/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html index 94a76df7..40716594 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html @@ -1,44 +1,58 @@ - + - + +FunctionUtils (rmlmapper 4.6.0 API) -FunctionUtils (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class FunctionUtils

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.FunctionUtils
      • @@ -109,9 +116,8 @@

        Class FunctionUtils


        • -
          public class FunctionUtils
          -extends Object
          +extends java.lang.Object
    @@ -119,64 +125,85 @@

    Class FunctionUtils

    @@ -184,12 +211,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -200,74 +228,80 @@

        FunctionUtils

    +
    +
      -
    • +
    • Method Detail

      - +
      • functionRequire

        -
        public static Class functionRequire(File file,
        -                                    String className)
        -                             throws IOException
        +
        public static java.lang.Class functionRequire​(java.io.File file,
        +                                              java.lang.String className)
        +                                       throws java.io.IOException
        Throws:
        -
        IOException
        +
        java.io.IOException
      - +
      • getFunctionParameterUris

        -
        public static List<Term> getFunctionParameterUris(QuadStore store,
        -                                                  List<Term> parameterResources)
        +
        public static java.util.List<Term> getFunctionParameterUris​(QuadStore store,
        +                                                            java.util.List<Term> parameterResources)
      - +
      • parseFunctionParameters

        -
        public static Class<?>[] parseFunctionParameters(QuadStore store,
        -                                                 List<Term> parameterResources)
        +
        public static java.lang.Class<?>[] parseFunctionParameters​(QuadStore store,
        +                                                           java.util.List<Term> parameterResources)
      - +
      • functionObjectToList

        -
        public static void functionObjectToList(Object o,
        -                                        List<String> result)
        +
        public static void functionObjectToList​(java.lang.Object o,
        +                                        java.util.List<java.lang.String> result)
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html index 3c243562..619b7d77 100644 --- a/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html @@ -1,44 +1,58 @@ - + - + +MultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -MultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Interface MultipleRecordsFunctionExecutor

    @@ -102,10 +109,9 @@

    Interface Mu
  • All Known Implementing Classes:
    -
    DynamicMultipleRecordsFunctionExecutor, StaticMultipleRecordsFunctionExecutor
    +
    DynamicMultipleRecordsFunctionExecutor, StaticMultipleRecordsFunctionExecutor

    -
    public interface MultipleRecordsFunctionExecutor
  • @@ -114,24 +120,34 @@

    Interface Mu

    + + @@ -139,42 +155,47 @@

    Method Summary

    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html b/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html index 56fc04b8..1e5b5925 100644 --- a/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html @@ -1,44 +1,58 @@ - + - + +ParameterValueOriginPair (rmlmapper 4.6.0 API) -ParameterValueOriginPair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class ParameterValueOriginPair

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.ParameterValueOriginPair
      • @@ -109,9 +116,8 @@

        Class ParameterValueOri

        • -
          public class ParameterValueOriginPair
          -extends Object
          +extends java.lang.Object

    @@ -119,53 +125,72 @@

    Class ParameterValueOri @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html b/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html index 4f2b0cec..1e72fc53 100644 --- a/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html +++ b/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html @@ -1,44 +1,58 @@ - + - + +ParameterValuePair (rmlmapper 4.6.0 API) -ParameterValuePair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class ParameterValuePair

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.ParameterValuePair
      • @@ -109,9 +116,8 @@

        Class ParameterValuePair


        • -
          public class ParameterValuePair
          -extends Object
          +extends java.lang.Object
    @@ -119,53 +125,72 @@

    Class ParameterValuePair

    @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html index b740c4b8..6d2e869b 100644 --- a/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html @@ -1,44 +1,58 @@ - + - + +SingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -SingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Interface SingleRecordFunctionExecutor

    @@ -102,10 +109,9 @@

    Interface Singl
  • All Known Implementing Classes:
    -
    AbstractSingleRecordFunctionExecutor, ConcatFunction, ConstantExtractor, DynamicSingleRecordFunctionExecutor, ReferenceExtractor, StaticSingleRecordFunctionExecutor
    +
    AbstractSingleRecordFunctionExecutor, ConcatFunction, ConstantExtractor, DynamicSingleRecordFunctionExecutor, ReferenceExtractor, StaticSingleRecordFunctionExecutor

    -
    public interface SingleRecordFunctionExecutor
  • @@ -114,24 +120,34 @@

    Interface Singl

    + + @@ -139,42 +155,47 @@

    Method Summary

    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html index db5abf22..950f7144 100644 --- a/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html @@ -1,44 +1,58 @@ - + - + +StaticMultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -StaticMultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class StaticMultipleRecordsFunctionExecutor

    @@ -124,49 +130,67 @@

    Class Stat @@ -174,62 +198,69 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • StaticMultipleRecordsFunctionExecutor

        -
        public StaticMultipleRecordsFunctionExecutor(FunctionModel model,
        -                                             Map<String,Object[]> parameters)
        +
        public StaticMultipleRecordsFunctionExecutor​(FunctionModel model,
        +                                             java.util.Map<java.lang.String,​java.lang.Object[]> parameters)
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html index f2e27a04..ec19b3d7 100644 --- a/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html @@ -1,38 +1,52 @@ - + - + +StaticSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -StaticSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class StaticSingleRecordFunctionExecutor

    @@ -122,45 +128,55 @@

    Class StaticS @@ -168,38 +184,43 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • StaticSingleRecordFunctionExecutor

        -
        public StaticSingleRecordFunctionExecutor(FunctionModel model,
        -                                          Map<String,List<Template>> parameters)
        +
        public StaticSingleRecordFunctionExecutor​(FunctionModel model,
        +                                          java.util.Map<java.lang.String,​java.util.List<Template>> parameters)
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html b/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html index 491b5de0..55dfd281 100644 --- a/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html @@ -1,44 +1,58 @@ - + - + +TermGeneratorOriginPair (rmlmapper 4.6.0 API) -TermGeneratorOriginPair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions
    +

    Class TermGeneratorOriginPair

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.TermGeneratorOriginPair
      • @@ -109,9 +116,8 @@

        Class TermGeneratorOrigi

        • -
          public class TermGeneratorOriginPair
          -extends Object
          +extends java.lang.Object

    @@ -119,53 +125,72 @@

    Class TermGeneratorOrigi @@ -173,64 +198,71 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • TermGeneratorOriginPair

        -
        public TermGeneratorOriginPair(TermGenerator termGenerator,
        -                               String origin)
        +
        public TermGeneratorOriginPair​(TermGenerator termGenerator,
        +                               java.lang.String origin)
    +
    +
      -
    • +
    • Method Detail

      - + - +
      • getOrigin

        -
        public String getOrigin()
        +
        public java.lang.String getOrigin()
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html index 5b3e2fcc..b84e8f4f 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html b/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html index 0d54be5f..676ace7b 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.ConcatFunction (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.ConcatFunction (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.ConcatFunction

    No usage of be.ugent.rml.functions.ConcatFunction
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html index 9ca8e207..b938994d 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor

    No usage of be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html index 0b50b761..e20713df 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor

    No usage of be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html index f56ec5e7..a4425e8f 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.FunctionLoader (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.FunctionLoader (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.FunctionLoader

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html index 5ada862e..0fd87e46 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.FunctionModel (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.FunctionModel (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.FunctionModel

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html index c4306f6d..6e359945 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.FunctionUtils (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.FunctionUtils (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.FunctionUtils

    No usage of be.ugent.rml.functions.FunctionUtils
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html index cd8f84ce..168f7a0f 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.functions.MultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.functions.MultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.functions.MultipleRecordsFunctionExecutor

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html index a372067a..01812433 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.ParameterValueOriginPair (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.ParameterValueOriginPair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.ParameterValueOriginPair

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html index 9401c92a..9bf39368 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.ParameterValuePair (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.ParameterValuePair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.ParameterValuePair

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html index c6264c49..a7fe226d 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.functions.SingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.functions.SingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.functions.SingleRecordFunctionExecutor

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html index b5a03995..c13d8494 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor

    No usage of be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html index ab368c02..4879c9c2 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.StaticSingleRecordFunctionExecutor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.StaticSingleRecordFunctionExecutor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.StaticSingleRecordFunctionExecutor

    No usage of be.ugent.rml.functions.StaticSingleRecordFunctionExecutor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html b/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html index e5fe9aaf..4f7b8c4a 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.TermGeneratorOriginPair (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.TermGeneratorOriginPair (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.TermGeneratorOriginPair

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/GrelProcessor.html b/docs/apidocs/be/ugent/rml/functions/lib/GrelProcessor.html index 04cee43e..37368936 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/GrelProcessor.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/GrelProcessor.html @@ -1,44 +1,58 @@ - + - + +GrelProcessor (rmlmapper 4.6.0 API) -GrelProcessor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions.lib
    +

    Class GrelProcessor

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.lib.GrelProcessor
      • @@ -109,9 +116,8 @@

        Class GrelProcessor


        • -
          public class GrelProcessor
          -extends Object
          +extends java.lang.Object
    @@ -119,65 +125,87 @@

    Class GrelProcessor

    @@ -185,12 +213,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -201,75 +230,81 @@

        GrelProcessor

    +
    +
      -
    • +
    • Method Detail

      - +
      • toUppercase

        -
        public static String toUppercase(String test)
        +
        public static java.lang.String toUppercase​(java.lang.String test)
      - +
      • toLowercase

        -
        public static String toLowercase(String test)
        +
        public static java.lang.String toLowercase​(java.lang.String test)
      - +
      • escape

        -
        public static String escape(String value,
        -                            String mode)
        +
        public static java.lang.String escape​(java.lang.String value,
        +                                      java.lang.String mode)
      - +
      • random

        -
        public static String random()
        +
        public static java.lang.String random()
      - +
      • toUpperCaseURL

        -
        public static String toUpperCaseURL(String test)
        +
        public static java.lang.String toUpperCaseURL​(java.lang.String test)
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/lib/GrelTestProcessor.html b/docs/apidocs/be/ugent/rml/functions/lib/GrelTestProcessor.html index e57636a2..96d6f74e 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/GrelTestProcessor.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/GrelTestProcessor.html @@ -1,44 +1,58 @@ - + - + +GrelTestProcessor (rmlmapper 4.6.0 API) -GrelTestProcessor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions.lib
    +

    Class GrelTestProcessor

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.lib.GrelTestProcessor
      • @@ -109,9 +116,8 @@

        Class GrelTestProcessor


        • -
          public class GrelTestProcessor
          -extends Object
          +extends java.lang.Object
    @@ -119,73 +125,97 @@

    Class GrelTestProcessor

    @@ -193,12 +223,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -209,93 +240,99 @@

        GrelTestProcessor

    +
    +
      -
    • +
    • Method Detail

      - +
      • toUppercase

        -
        public static String toUppercase(String test)
        +
        public static java.lang.String toUppercase​(java.lang.String test)
      - +
      • toLowercase

        -
        public static String toLowercase(String test)
        +
        public static java.lang.String toLowercase​(java.lang.String test)
      - +
      • escape

        -
        public static String escape(String value,
        -                            String mode)
        +
        public static java.lang.String escape​(java.lang.String value,
        +                                      java.lang.String mode)
      - +
      • random

        -
        public static String random()
        +
        public static java.lang.String random()
      - +
      • toUpperCaseURL

        -
        public static String toUpperCaseURL(String test)
        +
        public static java.lang.String toUpperCaseURL​(java.lang.String test)
      - +
      • getNull

        -
        public static String getNull()
        +
        public static java.lang.String getNull()
      - +
      • generateA

        -
        public static String generateA()
        +
        public static java.lang.String generateA()
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html index 7a2ba25b..f9f54f92 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html @@ -1,44 +1,58 @@ - + - + +IDLabFunctions (rmlmapper 4.6.0 API) -IDLabFunctions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions.lib
    +

    Class IDLabFunctions

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.lib.IDLabFunctions
      • @@ -109,9 +116,8 @@

        Class IDLabFunctions


        • -
          public class IDLabFunctions
          -extends Object
          +extends java.lang.Object
    @@ -119,79 +125,103 @@

    Class IDLabFunctions

    @@ -199,12 +229,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -215,99 +246,105 @@

        IDLabFunctions

    +
    +
      -
    • +
    • Method Detail

      - +
      • stringContainsOtherString

        -
        public static boolean stringContainsOtherString(String str,
        -                                                String otherStr,
        -                                                String delimiter)
        +
        public static boolean stringContainsOtherString​(java.lang.String str,
        +                                                java.lang.String otherStr,
        +                                                java.lang.String delimiter)
      - +
      • listContainsElement

        -
        public static boolean listContainsElement(List list,
        -                                          String str)
        +
        public static boolean listContainsElement​(java.util.List list,
        +                                          java.lang.String str)
      - +
      • dbpediaSpotlight

        -
        public static List<String> dbpediaSpotlight(String text,
        -                                            String endpoint)
        +
        public static java.util.List<java.lang.String> dbpediaSpotlight​(java.lang.String text,
        +                                                                java.lang.String endpoint)
      - +
      • trueCondition

        -
        public static Object trueCondition(String bool,
        -                                   String value)
        +
        public static java.lang.Object trueCondition​(java.lang.String bool,
        +                                             java.lang.String value)
      - +
      • decide

        -
        public static String decide(String input,
        -                            String expected,
        -                            String result)
        +
        public static java.lang.String decide​(java.lang.String input,
        +                                      java.lang.String expected,
        +                                      java.lang.String result)
      - +
      • getMIMEType

        -
        public static String getMIMEType(String filename)
        +
        public static java.lang.String getMIMEType​(java.lang.String filename)
      - +
      • readFile

        -
        public static String readFile(String path)
        +
        public static java.lang.String readFile​(java.lang.String path)
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/UtilFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/UtilFunctions.html index aee6f9a3..5ec55c47 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/UtilFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/UtilFunctions.html @@ -1,44 +1,58 @@ - + - + +UtilFunctions (rmlmapper 4.6.0 API) -UtilFunctions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.functions.lib
    +

    Class UtilFunctions

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.functions.lib.UtilFunctions
      • @@ -109,9 +116,8 @@

        Class UtilFunctions


        • -
          public class UtilFunctions
          -extends Object
          +extends java.lang.Object
    @@ -119,54 +125,73 @@

    Class UtilFunctions

    @@ -174,12 +199,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -190,49 +216,55 @@

        UtilFunctions

    +
    +
      -
    • +
    • Method Detail

      - +
      • equal

        -
        public static boolean equal(String str1,
        -                            String str2)
        +
        public static boolean equal​(java.lang.String str1,
        +                            java.lang.String str2)
      - +
      • notEqual

        -
        public static boolean notEqual(String str1,
        -                               String str2)
        +
        public static boolean notEqual​(java.lang.String str1,
        +                               java.lang.String str2)
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelProcessor.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelProcessor.html index af0b61d8..30cc03f1 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelProcessor.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelProcessor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.lib.GrelProcessor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.lib.GrelProcessor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.lib.GrelProcessor

    No usage of be.ugent.rml.functions.lib.GrelProcessor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelTestProcessor.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelTestProcessor.html index 8a819f80..15a90854 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelTestProcessor.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/GrelTestProcessor.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.lib.GrelTestProcessor (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.lib.GrelTestProcessor (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.lib.GrelTestProcessor

    No usage of be.ugent.rml.functions.lib.GrelTestProcessor
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html index a5aacd3e..9554c95d 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.lib.IDLabFunctions (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.lib.IDLabFunctions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.lib.IDLabFunctions

    No usage of be.ugent.rml.functions.lib.IDLabFunctions
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html index 5a8155cf..d8bfe3a9 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.functions.lib.UtilFunctions (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.functions.lib.UtilFunctions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.functions.lib.UtilFunctions

    No usage of be.ugent.rml.functions.lib.UtilFunctions
    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html b/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html index 87b25513..3d3eba7b 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.functions.lib (rmlmapper 4.6.0 API) -be.ugent.rml.functions.lib (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.functions.lib

    +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html b/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html index 9ab608fc..7babd83b 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.functions.lib Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.functions.lib Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.functions.lib

    Package Hierarchies: @@ -78,28 +85,33 @@

    Hierarchy For Package be.ugent.rml.functions.lib

    +

    Class Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-use.html b/docs/apidocs/be/ugent/rml/functions/lib/package-use.html index bd7bc369..69f4e10a 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-use.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.functions.lib (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.functions.lib (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.functions.lib

    No usage of be.ugent.rml.functions.lib
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/package-summary.html b/docs/apidocs/be/ugent/rml/functions/package-summary.html index 09e0f8e7..e5925b2d 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-summary.html +++ b/docs/apidocs/be/ugent/rml/functions/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.functions (rmlmapper 4.6.0 API) -be.ugent.rml.functions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.functions

  • - +
    +
    @@ -103,70 +113,74 @@

    Package be.ugent.rml.functions

    - + - + - + - + - + - + - + - + - + - + - + - +
    Class Summary 
    Class
    AbstractSingleRecordFunctionExecutorAbstractSingleRecordFunctionExecutor  
    ConcatFunctionConcatFunction  
    DynamicMultipleRecordsFunctionExecutorDynamicMultipleRecordsFunctionExecutor  
    DynamicSingleRecordFunctionExecutorDynamicSingleRecordFunctionExecutor  
    FunctionLoaderFunctionLoader  
    FunctionModelFunctionModel
    Function Model
    FunctionUtilsFunctionUtils  
    ParameterValueOriginPairParameterValueOriginPair  
    ParameterValuePairParameterValuePair  
    StaticMultipleRecordsFunctionExecutorStaticMultipleRecordsFunctionExecutor  
    StaticSingleRecordFunctionExecutorStaticSingleRecordFunctionExecutor  
    TermGeneratorOriginPairTermGeneratorOriginPair  
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/functions/package-tree.html b/docs/apidocs/be/ugent/rml/functions/package-tree.html index 10645bd3..b5707f18 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-tree.html +++ b/docs/apidocs/be/ugent/rml/functions/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.functions Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.functions Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.functions

    Package Hierarchies: @@ -78,44 +85,51 @@

    Hierarchy For Package be.ugent.rml.functions

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/functions/package-use.html b/docs/apidocs/be/ugent/rml/functions/package-use.html index dc97a0f3..2c96abbe 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-use.html +++ b/docs/apidocs/be/ugent/rml/functions/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.functions (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.functions (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.functions

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.functions used by be.ugent.rml 
    + - + + - + + - + + - + +
    Classes in be.ugent.rml.functions used by be.ugent.rml 
    Class and DescriptionClassDescription
    FunctionLoader FunctionLoader 
    MultipleRecordsFunctionExecutor MultipleRecordsFunctionExecutor 
    SingleRecordFunctionExecutor SingleRecordFunctionExecutor 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.functions used by be.ugent.rml.extractor 
    + - + + - + +
    Classes in be.ugent.rml.functions used by be.ugent.rml.extractor 
    Class and DescriptionClassDescription
    SingleRecordFunctionExecutor SingleRecordFunctionExecutor 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.functions used by be.ugent.rml.functions 
    + - + + - + + - + + - + - + + - + + - + + - + + - + +
    Classes in be.ugent.rml.functions used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    AbstractSingleRecordFunctionExecutor AbstractSingleRecordFunctionExecutor 
    FunctionLoader FunctionLoader 
    FunctionModel +FunctionModel
    Function Model
    MultipleRecordsFunctionExecutor MultipleRecordsFunctionExecutor 
    ParameterValueOriginPair ParameterValueOriginPair 
    ParameterValuePair ParameterValuePair 
    SingleRecordFunctionExecutor SingleRecordFunctionExecutor 
    TermGeneratorOriginPair TermGeneratorOriginPair 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.functions used by be.ugent.rml.termgenerator 
    + - + + - + +
    Classes in be.ugent.rml.functions used by be.ugent.rml.termgenerator 
    Class and DescriptionClassDescription
    SingleRecordFunctionExecutor SingleRecordFunctionExecutor 
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html index 0b4fcdd6..ebb81b01 100644 --- a/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html @@ -1,44 +1,58 @@ - + - + +DatasetLevelMetadataGenerator (rmlmapper 4.6.0 API) -DatasetLevelMetadataGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.metadata
    +

    Class DatasetLevelMetadataGenerator

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.metadata.DatasetLevelMetadataGenerator
      • @@ -109,9 +116,8 @@

        Class DatasetLevel

        • -
          public class DatasetLevelMetadataGenerator
          -extends Object
          +extends java.lang.Object
          Unique class -- reusable outside of the mapper
        @@ -120,55 +126,73 @@

        Class DatasetLevel

    + +
    +
    @@ -176,12 +200,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -192,45 +217,51 @@

        DatasetLevelMetadataGenerator

    +
    +
      -
    • +
    • Method Detail

      - +
      • createMetadata

        -
        public static void createMetadata(Term rdfDataset,
        -                                  Term rdfDatasetGeneration,
        -                                  Term rmlMapper,
        -                                  QuadStore result,
        -                                  List<Term> logicalSources,
        -                                  String startTimestamp,
        -                                  String stopTimestamp,
        -                                  String[] mappingFiles)
        +
        public static void createMetadata​(Term rdfDataset,
        +                                  Term rdfDatasetGeneration,
        +                                  Term rmlMapper,
        +                                  QuadStore result,
        +                                  java.util.List<Term> logicalSources,
        +                                  java.lang.String startTimestamp,
        +                                  java.lang.String stopTimestamp,
        +                                  java.lang.String[] mappingFiles)
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/metadata/Metadata.html b/docs/apidocs/be/ugent/rml/metadata/Metadata.html index f3085e01..c5f71a70 100644 --- a/docs/apidocs/be/ugent/rml/metadata/Metadata.html +++ b/docs/apidocs/be/ugent/rml/metadata/Metadata.html @@ -1,44 +1,58 @@ - + - + +Metadata (rmlmapper 4.6.0 API) -Metadata (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.metadata
    +

    Class Metadata

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.metadata.Metadata
      • @@ -109,9 +116,8 @@

        Class Metadata


        • -
          public class Metadata
          -extends Object
          +extends java.lang.Object
          Holds the source triplesMap and Subject-, Object- or PredicateMap for a specific (provenanced) term.
        @@ -120,55 +126,75 @@

        Class Metadata

    + +
    +
    @@ -176,12 +202,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -190,59 +217,65 @@

        Metadata

        public Metadata()
      - +
      • Metadata

        -
        public Metadata(Term triplesMap)
        +
        public Metadata​(Term triplesMap)
      - +
      • Metadata

        -
        public Metadata(Term triplesMap,
        -                Term sourceMap)
        +
        public Metadata​(Term triplesMap,
        +                Term sourceMap)
    +
    +
      -
    • +
    • Method Detail

      - +
      • setSourceMap

        -
        public void setSourceMap(Term sourceMap)
        +
        public void setSourceMap​(Term sourceMap)
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html index b0056813..407c6a37 100644 --- a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html +++ b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html @@ -1,44 +1,58 @@ - + - + +MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.6.0 API) -MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.metadata
    +

    Enum MetadataGenerator.DETAIL_LEVEL

    • + +
      +
        +
      • + + +

        Nested Class Summary

        +
          +
        • + + +

          Nested classes/interfaces inherited from class java.lang.Enum

          +java.lang.Enum.EnumDesc<E extends java.lang.Enum<E>>
        • +
        +
      • +
      +
      +
    + +
    +
    @@ -207,73 +252,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - +
      • values

        -
        public static MetadataGenerator.DETAIL_LEVEL[] values()
        +
        public static MetadataGenerator.DETAIL_LEVEL[] values()
        Returns an array containing the constants of this enum type, in -the order they are declared. This method may be used to iterate -over the constants as follows: -
        -for (MetadataGenerator.DETAIL_LEVEL c : MetadataGenerator.DETAIL_LEVEL.values())
        -    System.out.println(c);
        -
        +the order they are declared.
        Returns:
        an array containing the constants of this enum type, in the order they are declared
      - +
      • valueOf

        -
        public static MetadataGenerator.DETAIL_LEVEL valueOf(String name)
        +
        public static MetadataGenerator.DETAIL_LEVEL valueOf​(java.lang.String name)
        Returns the enum constant of this type with the specified name. The string must match exactly an identifier used to declare an enum constant in this type. (Extraneous whitespace characters are @@ -284,37 +327,41 @@

        valueOf

        Returns:
        the enum constant with the specified name
        Throws:
        -
        IllegalArgumentException - if this enum type has no constant with the specified name
        -
        NullPointerException - if the argument is null
        +
        java.lang.IllegalArgumentException - if this enum type has no constant with the specified name
        +
        java.lang.NullPointerException - if the argument is null
      - +
      • getLevel

        -
        public int getLevel()
        +
        public int getLevel()
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.html index 7d1d8432..a836af95 100644 --- a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.html @@ -1,44 +1,58 @@ - + - + +MetadataGenerator (rmlmapper 4.6.0 API) -MetadataGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.metadata
    +

    Class MetadataGenerator

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.metadata.MetadataGenerator
      • @@ -109,9 +116,8 @@

        Class MetadataGenerator


        • -
          public class MetadataGenerator
          -extends Object
          +extends java.lang.Object
          Class that encapsulates the generation of metadata. (Does everything for metadata generation)
        • @@ -121,95 +127,125 @@

          Class MetadataGenerator

    + +
    +
    +
    +
    @@ -217,38 +253,41 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - +
      • insertQuad

        -
        public void insertQuad(ProvenancedQuad provenancedQuad)
        +
        public void insertQuad​(ProvenancedQuad provenancedQuad)
        Gets called every time a quad is generated. Creates a node representing the quad. Applies the metadatageneration functions to the given quad.
        @@ -258,14 +297,14 @@

        insertQuad

      - +
      • preMappingGeneration

        -
        public void preMappingGeneration(List<Term> triplesMaps,
        -                                 QuadStore mappingQuads)
        +
        public void preMappingGeneration​(java.util.List<Term> triplesMaps,
        +                                 QuadStore mappingQuads)
        Generates metadata before the actual mapping.
        Parameters:
        @@ -274,15 +313,15 @@

        preMappingGeneration

      - +
      • postMappingGeneration

        -
        public void postMappingGeneration(String startTimestamp,
        -                                  String stopTimestamp,
        -                                  QuadStore result)
        +
        public void postMappingGeneration​(java.lang.String startTimestamp,
        +                                  java.lang.String stopTimestamp,
        +                                  QuadStore result)
        Generates metadata after the actual mapping.
        Parameters:
        @@ -292,41 +331,45 @@

        postMappingGeneration

      - + - +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html index 3baa9631..2f8d9ee5 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.metadata.DatasetLevelMetadataGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.metadata.DatasetLevelMetadataGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.metadata.DatasetLevelMetadataGenerator

    No usage of be.ugent.rml.metadata.DatasetLevelMetadataGenerator
    +
    + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html b/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html index 05d09f8e..47eb0d30 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.metadata.Metadata (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.metadata.Metadata (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.metadata.Metadata

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html index 795a3aaf..7b4a8534 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html index e9e29457..b1472cba 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.metadata.MetadataGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.metadata.MetadataGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.metadata.MetadataGenerator

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/metadata/package-summary.html b/docs/apidocs/be/ugent/rml/metadata/package-summary.html index 54be09bb..1f1506a2 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-summary.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.metadata (rmlmapper 4.6.0 API) -be.ugent.rml.metadata (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.metadata

  • - +
    +
    @@ -113,24 +123,28 @@

    Package be.ugent.rml.metadata

    - +
    Enum Summary 
    Enum
    MetadataGenerator.DETAIL_LEVELMetadataGenerator.DETAIL_LEVEL  
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/metadata/package-tree.html b/docs/apidocs/be/ugent/rml/metadata/package-tree.html index 0a17629e..ca0a64f7 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-tree.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.metadata Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.metadata Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.metadata

    Package Hierarchies: @@ -78,39 +85,46 @@

    Hierarchy For Package be.ugent.rml.metadata

    +

    Class Hierarchy

    +
    +

    Enum Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/metadata/package-use.html b/docs/apidocs/be/ugent/rml/metadata/package-use.html index d2e55ffe..d60f340d 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-use.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.metadata (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.metadata (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.metadata

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.metadata used by be.ugent.rml 
    + - + + - +
    Classes in be.ugent.rml.metadata used by be.ugent.rml 
    Class and DescriptionClassDescription
    MetadataGenerator +MetadataGenerator
    Class that encapsulates the generation of metadata.
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.metadata used by be.ugent.rml.metadata 
    + - + + - + +
    Classes in be.ugent.rml.metadata used by be.ugent.rml.metadata 
    Class and DescriptionClassDescription
    MetadataGenerator.DETAIL_LEVEL MetadataGenerator.DETAIL_LEVEL 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.metadata used by be.ugent.rml.term 
    + - + + - +
    Classes in be.ugent.rml.metadata used by be.ugent.rml.term 
    Class and DescriptionClassDescription
    Metadata +Metadata
    Holds the source triplesMap and Subject-, Object- or PredicateMap for a specific (provenanced) term.
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/package-summary.html b/docs/apidocs/be/ugent/rml/package-summary.html index 5006ba7f..7741d604 100644 --- a/docs/apidocs/be/ugent/rml/package-summary.html +++ b/docs/apidocs/be/ugent/rml/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml (rmlmapper 4.6.0 API) -be.ugent.rml (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml

  • - +
    +
    @@ -151,28 +159,28 @@

    Package be.ugent.rml

    - - - - - +
    Enum Summary 
    Enum
    DatabaseType.Database 
    TEMPLATETYPETEMPLATETYPE  
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/package-tree.html b/docs/apidocs/be/ugent/rml/package-tree.html index 2023de58..096a7480 100644 --- a/docs/apidocs/be/ugent/rml/package-tree.html +++ b/docs/apidocs/be/ugent/rml/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml

    Package Hierarchies: @@ -78,51 +85,56 @@

    Hierarchy For Package be.ugent.rml

    +

    Class Hierarchy

    +
    +

    Enum Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/package-use.html b/docs/apidocs/be/ugent/rml/package-use.html index 6446ba26..470f724c 100644 --- a/docs/apidocs/be/ugent/rml/package-use.html +++ b/docs/apidocs/be/ugent/rml/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml used by be.ugent.rml 
    + - + + - - - - - - - + + - + + - + + - + + - + + - - - -
    Classes in be.ugent.rml used by be.ugent.rml 
    Class and DescriptionClassDescription
    DatabaseType.Database 
    Mapping 
    MappingInfo Mapping 
    PredicateObjectGraph MappingInfo 
    PredicateObjectGraphMapping PredicateObjectGraph 
    Template PredicateObjectGraphMapping 
    TemplateElement Template 
    TEMPLATETYPE 
    -
  • -
  • - - - - - - + + - - + +
    Classes in be.ugent.rml used by be.ugent.rml.access 
    Class and DescriptionTemplateElement 
    DatabaseType.Database TEMPLATETYPE 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml used by be.ugent.rml.functions 
    + - + + - + +
    Classes in be.ugent.rml used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    Template Template 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml used by be.ugent.rml.term 
    + - + + - + +
    Classes in be.ugent.rml used by be.ugent.rml.term 
    Class and DescriptionClassDescription
    MappingInfo MappingInfo 
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/records/CSVRecord.html b/docs/apidocs/be/ugent/rml/records/CSVRecord.html index f762416b..d25f7e35 100644 --- a/docs/apidocs/be/ugent/rml/records/CSVRecord.html +++ b/docs/apidocs/be/ugent/rml/records/CSVRecord.html @@ -1,44 +1,58 @@ - + - + +CSVRecord (rmlmapper 4.6.0 API) -CSVRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class CSVRecord

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • -
      • be.ugent.rml.records.Record
      • +
      • be.ugent.rml.records.Record
        • be.ugent.rml.records.CSVRecord
        • @@ -114,9 +121,8 @@

          Class CSVRecord


          • -
            public class CSVRecord
            -extends Record
            +extends Record
            This class is a specific implementation of a record for CSV. Every record corresponds with a row of the CSV data source.
          • @@ -126,39 +132,50 @@

            Class CSVRecord

            • +
                -
              • +
              • Method Summary

                - - +
                +
                +
                +
                All Methods Instance Methods Concrete Methods 
                - + + - - - + + + + - - - + + + +
                Modifier and TypeMethod and DescriptionMethodDescription
                List<Object>get(String value) +
                java.util.List<java.lang.Object>get​(java.lang.String value)
                This method returns the objects for a column in the CSV record (= CSV row).
                StringgetDataType(String value) +
                java.lang.StringgetDataType​(java.lang.String value)
                This method returns the datatype of a reference in the record.
                +
    + + @@ -166,22 +183,23 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Method Detail

      - +
      • getDataType

        -
        public String getDataType(String value)
        +
        public java.lang.String getDataType​(java.lang.String value)
        This method returns the datatype of a reference in the record.
        Overrides:
        -
        getDataType in class Record
        +
        getDataType in class Record
        Parameters:
        value - the reference for which the datatype needs to be returned.
        Returns:
        @@ -189,17 +207,17 @@

        getDataType

      - +
      • get

        -
        public List<Object> get(String value)
        +
        public java.util.List<java.lang.Object> get​(java.lang.String value)
        This method returns the objects for a column in the CSV record (= CSV row).
        Specified by:
        -
        get in class Record
        +
        get in class Record
        Parameters:
        value - the column for which objects need to be returned.
        Returns:
        @@ -209,21 +227,25 @@

        get

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html b/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html index 71e7062e..e158fbad 100644 --- a/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html @@ -1,44 +1,58 @@ - + - + +CSVRecordFactory (rmlmapper 4.6.0 API) -CSVRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class CSVRecordFactory

    + +
    +
    @@ -178,12 +202,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -194,26 +219,30 @@

        CSVRecordFactory

    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/IteratorFormat.html b/docs/apidocs/be/ugent/rml/records/IteratorFormat.html index 027ae192..c1950882 100644 --- a/docs/apidocs/be/ugent/rml/records/IteratorFormat.html +++ b/docs/apidocs/be/ugent/rml/records/IteratorFormat.html @@ -1,44 +1,58 @@ - + - + +IteratorFormat (rmlmapper 4.6.0 API) -IteratorFormat (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class IteratorFormat<DocumentClass>

    + +
    +
    @@ -182,12 +210,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -198,26 +227,30 @@

        IteratorFormat

    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/JSONRecord.html b/docs/apidocs/be/ugent/rml/records/JSONRecord.html index caccf366..3fd11f8d 100644 --- a/docs/apidocs/be/ugent/rml/records/JSONRecord.html +++ b/docs/apidocs/be/ugent/rml/records/JSONRecord.html @@ -1,44 +1,58 @@ - + - + +JSONRecord (rmlmapper 4.6.0 API) -JSONRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class JSONRecord

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • -
      • be.ugent.rml.records.Record
      • +
      • be.ugent.rml.records.Record
        • be.ugent.rml.records.JSONRecord
        • @@ -114,9 +121,8 @@

          Class JSONRecord


          • -
            public class JSONRecord
            -extends Record
            +extends Record
            This class is a specific implementation of a record for JSON. Every record corresponds with a JSON object in a data source.
          • @@ -126,58 +132,76 @@

            Class JSONRecord

            • +
                -
              • +
              • Constructor Summary

                - +
                +
                - + + + - + + +
                Constructors 
                Constructor and DescriptionConstructorDescription
                JSONRecord(Object document, - String path) JSONRecord​(java.lang.Object document, + java.lang.String path) 
                +
    + +
    +
    @@ -185,40 +209,43 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • JSONRecord

        -
        public JSONRecord(Object document,
        -                  String path)
        +
        public JSONRecord​(java.lang.Object document,
        +                  java.lang.String path)
    +
    +
      -
    • +
    • Method Detail

      - +
      • get

        -
        public List<Object> get(String value)
        +
        public java.util.List<java.lang.Object> get​(java.lang.String value)
        This method returns the objects for a reference (JSONPath) in the record.
        Specified by:
        -
        get in class Record
        +
        get in class Record
        Parameters:
        value - the reference for which objects need to be returned.
        Returns:
        @@ -228,21 +255,25 @@

        get

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html b/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html index daa0ac4a..b8fffc3b 100644 --- a/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html @@ -1,38 +1,52 @@ - + - + +JSONRecordFactory (rmlmapper 4.6.0 API) -JSONRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class JSONRecordFactory

    + +
    +
    @@ -176,12 +192,13 @@

    Methods inherited from interface be.ugent.rml.records.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -192,21 +209,25 @@

        JSONRecordFactory

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/Record.html b/docs/apidocs/be/ugent/rml/records/Record.html index 0c3bd19f..3cffce34 100644 --- a/docs/apidocs/be/ugent/rml/records/Record.html +++ b/docs/apidocs/be/ugent/rml/records/Record.html @@ -1,44 +1,58 @@ - + - + +Record (rmlmapper 4.6.0 API) -Record (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class Record

      -
    • java.lang.Object
    • +
    • java.lang.Object
    • @@ -124,56 +130,75 @@

      Class Record

      • +
          -
        • +
        • Constructor Summary

          - +
          +
          - + + + - + + +
          Constructors 
          Constructor and DescriptionConstructorDescription
          Record() Record() 
          +
    + +
    +
    @@ -181,12 +206,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -197,19 +223,21 @@

        Record

    +
    +
      -
    • +
    • Method Detail

      - +
      • get

        -
        public abstract List<Object> get(String value)
        +
        public abstract java.util.List<java.lang.Object> get​(java.lang.String value)
        This method returns the objects for a reference in the record.
        Parameters:
        @@ -219,13 +247,13 @@

        get

      - +
      • getDataType

        -
        public String getDataType(String value)
        +
        public java.lang.String getDataType​(java.lang.String value)
        This method returns the datatype of a reference in the record.
        Parameters:
        @@ -237,21 +265,25 @@

        getDataType

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/RecordsFactory.html b/docs/apidocs/be/ugent/rml/records/RecordsFactory.html index e5b98a83..29aca437 100644 --- a/docs/apidocs/be/ugent/rml/records/RecordsFactory.html +++ b/docs/apidocs/be/ugent/rml/records/RecordsFactory.html @@ -1,44 +1,58 @@ - + - + +RecordsFactory (rmlmapper 4.6.0 API) -RecordsFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class RecordsFactory

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.records.RecordsFactory
      • @@ -109,9 +116,8 @@

        Class RecordsFactory


        • -
          public class RecordsFactory
          -extends Object
          +extends java.lang.Object
          This class creates records based on RML rules.
        @@ -120,51 +126,69 @@

        Class RecordsFactory

        • +
            -
          • +
          • Constructor Summary

            - +
            +
            - + + + - + + +
            Constructors 
            Constructor and DescriptionConstructorDescription
            RecordsFactory(String basePath) RecordsFactory​(java.lang.String basePath) 
            +
    + +
    +
    @@ -172,37 +196,42 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • RecordsFactory

        -
        public RecordsFactory(String basePath)
        +
        public RecordsFactory​(java.lang.String basePath)
    +
    +
      -
    • +
    • Method Detail

      - +
      • createRecords

        -
        public List<Record> createRecords(Term triplesMap,
        -                                  QuadStore rmlStore)
        -                           throws IOException
        +
        public java.util.List<Record> createRecords​(Term triplesMap,
        +                                            QuadStore rmlStore)
        +                                     throws java.io.IOException,
        +                                            java.sql.SQLException,
        +                                            java.lang.ClassNotFoundException
        This method creates and returns records for a given Triples Map and set of RML rules.
        Parameters:
        @@ -211,27 +240,33 @@

        createRecords

        Returns:
        a list of records.
        Throws:
        -
        IOException
        +
        java.io.IOException
        +
        java.sql.SQLException
        +
        java.lang.ClassNotFoundException
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html b/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html index 14efaed5..a576f387 100644 --- a/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html @@ -1,44 +1,58 @@ - + - + +ReferenceFormulationRecordFactory (rmlmapper 4.6.0 API) -ReferenceFormulationRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Interface ReferenceFormulationRecordFactory

    @@ -102,10 +109,9 @@

    Interface
  • All Known Implementing Classes:
    -
    CSVRecordFactory, IteratorFormat, JSONRecordFactory, XMLRecordFactory
    +
    CSVRecordFactory, IteratorFormat, JSONRecordFactory, XMLRecordFactory

    -
    public interface ReferenceFormulationRecordFactory
    This is the interface for reference formulation-specific record factories.
  • @@ -115,28 +121,38 @@

    Interface

    + + @@ -144,21 +160,24 @@

    Method Summary

    • +
        -
      • +
      • Method Detail

        - +
        • getRecords

          -
          List<Record> getRecords(Access access,
          -                        Term logicalSource,
          -                        QuadStore rmlStore)
          -                 throws IOException
          +
          java.util.List<Record> getRecords​(Access access,
          +                                  Term logicalSource,
          +                                  QuadStore rmlStore)
          +                           throws java.io.IOException,
          +                                  java.sql.SQLException,
          +                                  java.lang.ClassNotFoundException
          This method returns a list of records for a data source.
          Parameters:
          @@ -168,27 +187,33 @@

          getRecords

          Returns:
          a list of records.
          Throws:
          -
          IOException
          +
          java.io.IOException
          +
          java.sql.SQLException
          +
          java.lang.ClassNotFoundException
      +
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html b/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html index b4f671f6..e652d843 100644 --- a/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html +++ b/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html @@ -1,44 +1,58 @@ - + - + +SPARQLResultFormat (rmlmapper 4.6.0 API) -SPARQLResultFormat (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Enum SPARQLResultFormat

    + + @@ -224,73 +272,71 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - +
      • values

        -
        public static SPARQLResultFormat[] values()
        +
        public static SPARQLResultFormat[] values()
        Returns an array containing the constants of this enum type, in -the order they are declared. This method may be used to iterate -over the constants as follows: -
        -for (SPARQLResultFormat c : SPARQLResultFormat.values())
        -    System.out.println(c);
        -
        +the order they are declared.
        Returns:
        an array containing the constants of this enum type, in the order they are declared
      - +
      • valueOf

        -
        public static SPARQLResultFormat valueOf(String name)
        +
        public static SPARQLResultFormat valueOf​(java.lang.String name)
        Returns the enum constant of this type with the specified name. The string must match exactly an identifier used to declare an enum constant in this type. (Extraneous whitespace characters are @@ -301,18 +347,18 @@

        valueOf

        Returns:
        the enum constant with the specified name
        Throws:
        -
        IllegalArgumentException - if this enum type has no constant with the specified name
        -
        NullPointerException - if the argument is null
        +
        java.lang.IllegalArgumentException - if this enum type has no constant with the specified name
        +
        java.lang.NullPointerException - if the argument is null
      - +
      • getUri

        -
        public String getUri()
        +
        public java.lang.String getUri()
        This method returns the uri of the format.
        Returns:
        @@ -320,13 +366,13 @@

        getUri

      - +
      • getContentType

        -
        public String getContentType()
        +
        public java.lang.String getContentType()
        This method returns the content type of the format.
        Returns:
        @@ -334,13 +380,13 @@

        getContentType

      - +
      • getReferenceFormulations

        -
        public Set<String> getReferenceFormulations()
        +
        public java.util.Set<java.lang.String> getReferenceFormulations()
        This method returns the reference formulation of the format.
        Returns:
        @@ -348,17 +394,17 @@

        getReferenceFormulations

      - +
      • toString

        -
        public String toString()
        +
        public java.lang.String toString()
        This method returns a String representation of the format, based on the format's name.
        Overrides:
        -
        toString in class Enum<SPARQLResultFormat>
        +
        toString in class java.lang.Enum<SPARQLResultFormat>
        Returns:
        String representation of the format.
        @@ -366,21 +412,25 @@

        toString

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/XMLRecord.html b/docs/apidocs/be/ugent/rml/records/XMLRecord.html index af6404e4..d83b8f1e 100644 --- a/docs/apidocs/be/ugent/rml/records/XMLRecord.html +++ b/docs/apidocs/be/ugent/rml/records/XMLRecord.html @@ -1,44 +1,58 @@ - + - + +XMLRecord (rmlmapper 4.6.0 API) -XMLRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class XMLRecord

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • -
      • be.ugent.rml.records.Record
      • +
      • be.ugent.rml.records.Record
        • be.ugent.rml.records.XMLRecord
        • @@ -114,9 +121,8 @@

          Class XMLRecord


          • -
            public class XMLRecord
            -extends Record
            +extends Record
            This class is a specific implementation of a record for XML. Every record corresponds with an XML element in a data source.
          • @@ -126,57 +132,75 @@

            Class XMLRecord

            • +
                -
              • +
              • Constructor Summary

                - +
                +
                - + + + - + + +
                Constructors 
                Constructor and DescriptionConstructorDescription
                XMLRecord(Node node) XMLRecord​(org.w3c.dom.Node node) 
                +
    + +
    +
    @@ -184,39 +208,42 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • XMLRecord

        -
        public XMLRecord(Node node)
        +
        public XMLRecord​(org.w3c.dom.Node node)
    +
    +
      -
    • +
    • Method Detail

      - +
      • get

        -
        public List<Object> get(String value)
        +
        public java.util.List<java.lang.Object> get​(java.lang.String value)
        This method returns the objects for a reference (XPath) in the record.
        Specified by:
        -
        get in class Record
        +
        get in class Record
        Parameters:
        value - the reference for which objects need to be returned.
        Returns:
        @@ -226,21 +253,25 @@

        get

    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html b/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html index 5a98d5e6..ecda10d7 100644 --- a/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html @@ -1,38 +1,52 @@ - + - + +XMLRecordFactory (rmlmapper 4.6.0 API) -XMLRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.records
    +

    Class XMLRecordFactory

    + +
    +
    @@ -176,12 +192,13 @@

    Methods inherited from interface be.ugent.rml.records.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -192,21 +209,25 @@

        XMLRecordFactory

    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html index 597f2c94..b5aa9904 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.CSVRecord (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.CSVRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.CSVRecord

    No usage of be.ugent.rml.records.CSVRecord
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html index 0143e423..be4c0bb9 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.CSVRecordFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.CSVRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.CSVRecordFactory

    No usage of be.ugent.rml.records.CSVRecordFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html b/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html index 87275998..c1eec28d 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.IteratorFormat (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.IteratorFormat (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.IteratorFormat

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html index 36b55798..918a7327 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.JSONRecord (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.JSONRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.JSONRecord

    No usage of be.ugent.rml.records.JSONRecord
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html index 997ee9be..d4e825d3 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.JSONRecordFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.JSONRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.JSONRecordFactory

    No usage of be.ugent.rml.records.JSONRecordFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/Record.html b/docs/apidocs/be/ugent/rml/records/class-use/Record.html index 15f54382..2f423f90 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/Record.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/Record.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.Record (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.Record (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.Record

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html index 3d86e56b..a0cc36e8 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.RecordsFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.RecordsFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.RecordsFactory

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html index 7027de17..ada93a20 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.records.ReferenceFormulationRecordFactory (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.records.ReferenceFormulationRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.records.ReferenceFormulationRecordFactory

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html b/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html index a6e15e16..63cd89b8 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.SPARQLResultFormat (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.SPARQLResultFormat (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.SPARQLResultFormat

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html index 2fbbc590..f043c87d 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.XMLRecord (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.XMLRecord (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.XMLRecord

    No usage of be.ugent.rml.records.XMLRecord
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html index 093ba6d5..064e0aec 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.records.XMLRecordFactory (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.records.XMLRecordFactory (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.records.XMLRecordFactory

    No usage of be.ugent.rml.records.XMLRecordFactory
    +
    + diff --git a/docs/apidocs/be/ugent/rml/records/package-summary.html b/docs/apidocs/be/ugent/rml/records/package-summary.html index 175fec42..bdd123e1 100644 --- a/docs/apidocs/be/ugent/rml/records/package-summary.html +++ b/docs/apidocs/be/ugent/rml/records/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.records (rmlmapper 4.6.0 API) -be.ugent.rml.records (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.records

  • - +
    +
    @@ -101,64 +111,66 @@

    Package be.ugent.rml.records

    - + - + - + - + - + - + - + - + - +
    Class Summary 
    Class
    CSVRecordCSVRecord
    This class is a specific implementation of a record for CSV.
    CSVRecordFactoryCSVRecordFactory
    This class is a record factory that creates CSV records.
    IteratorFormat<DocumentClass>IteratorFormat<DocumentClass>
    This an abstract class for reference formulation-specific record factories that use iterators.
    JSONRecordJSONRecord
    This class is a specific implementation of a record for JSON.
    JSONRecordFactoryJSONRecordFactory
    This class is a record factory that creates JSON records.
    RecordRecord
    This class represents a generic record in a data source.
    RecordsFactoryRecordsFactory
    This class creates records based on RML rules.
    XMLRecordXMLRecord
    This class is a specific implementation of a record for XML.
    XMLRecordFactoryXMLRecordFactory
    This class is a record factory that creates XML records.
    +
  • - +
    +
    @@ -166,26 +178,30 @@

    Package be.ugent.rml.records

    - +
    Enum Summary 
    Enum
    SPARQLResultFormatSPARQLResultFormat
    This enum represents the different SPARQL result formats.
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/records/package-tree.html b/docs/apidocs/be/ugent/rml/records/package-tree.html index 6ece12bf..0ba5c2f1 100644 --- a/docs/apidocs/be/ugent/rml/records/package-tree.html +++ b/docs/apidocs/be/ugent/rml/records/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.records Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.records Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.records

    Package Hierarchies: @@ -78,55 +85,64 @@

    Hierarchy For Package be.ugent.rml.records

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

    +
    +

    Enum Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/records/package-use.html b/docs/apidocs/be/ugent/rml/records/package-use.html index 8047cc80..ede9f875 100644 --- a/docs/apidocs/be/ugent/rml/records/package-use.html +++ b/docs/apidocs/be/ugent/rml/records/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.records (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.records (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.records

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.records used by be.ugent.rml 
    + - + + - +
    Classes in be.ugent.rml.records used by be.ugent.rml 
    Class and DescriptionClassDescription
    RecordsFactory +RecordsFactory
    This class creates records based on RML rules.
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.records used by be.ugent.rml.extractor 
    + - + + - +
    Classes in be.ugent.rml.records used by be.ugent.rml.extractor 
    Class and DescriptionClassDescription
    Record +Record
    This class represents a generic record in a data source.
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.records used by be.ugent.rml.functions 
    + - + + - +
    Classes in be.ugent.rml.records used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    Record +Record
    This class represents a generic record in a data source.
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.records used by be.ugent.rml.records 
    + - + + - + - + - + - +
    Classes in be.ugent.rml.records used by be.ugent.rml.records 
    Class and DescriptionClassDescription
    IteratorFormat +IteratorFormat
    This an abstract class for reference formulation-specific record factories that use iterators.
    Record +Record
    This class represents a generic record in a data source.
    ReferenceFormulationRecordFactory +ReferenceFormulationRecordFactory
    This is the interface for reference formulation-specific record factories.
    SPARQLResultFormat +SPARQLResultFormat
    This enum represents the different SPARQL result formats.
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.records used by be.ugent.rml.termgenerator 
    + - + + - +
    Classes in be.ugent.rml.records used by be.ugent.rml.termgenerator 
    Class and DescriptionClassDescription
    Record +Record
    This class represents a generic record in a data source.
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/store/Quad.html b/docs/apidocs/be/ugent/rml/store/Quad.html index 532ecd59..7ab419d5 100644 --- a/docs/apidocs/be/ugent/rml/store/Quad.html +++ b/docs/apidocs/be/ugent/rml/store/Quad.html @@ -1,44 +1,58 @@ - + - + +Quad (rmlmapper 4.6.0 API) -Quad (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.store
    +

    Class Quad

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.store.Quad
      • @@ -110,13 +117,12 @@

        Class Quad

      • All Implemented Interfaces:
        -
        Comparable<Quad>
        +
        java.lang.Comparable<Quad>

        -
        public class Quad
        -extends Object
        -implements Comparable<Quad>
        +extends java.lang.Object +implements java.lang.Comparable<Quad>
    @@ -124,72 +130,95 @@

    Class Quad

    @@ -197,108 +226,115 @@

    Methods inherited from class java.lang.
  • +
    +
    +
      -
    • +
    • Method Detail

      - +
      • getSubject

        -
        public Term getSubject()
        +
        public Term getSubject()
      - +
      • getPredicate

        -
        public Term getPredicate()
        +
        public Term getPredicate()
      - +
      • getObject

        -
        public Term getObject()
        +
        public Term getObject()
      - +
      • getGraph

        -
        public Term getGraph()
        +
        public Term getGraph()
      - +
      • compareTo

        -
        public int compareTo(Quad o)
        +
        public int compareTo​(Quad o)
        Specified by:
        -
        compareTo in interface Comparable<Quad>
        +
        compareTo in interface java.lang.Comparable<Quad>
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/store/QuadStore.html b/docs/apidocs/be/ugent/rml/store/QuadStore.html index 5d8a7d83..00b6e95e 100644 --- a/docs/apidocs/be/ugent/rml/store/QuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/QuadStore.html @@ -1,44 +1,58 @@ - + - + +QuadStore (rmlmapper 4.6.0 API) -QuadStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.store
    +

    Class QuadStore

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.store.QuadStore
      • @@ -110,12 +117,14 @@

        Class QuadStore

      • Direct Known Subclasses:
        -
        RDF4JStore, SimpleQuadStore
        +
        RDF4JStore, SimpleQuadStore

        -
        public abstract class QuadStore
        -extends Object
        +extends java.lang.Object +
        Vendor-neutral interface for managing RDF collections. + Implemented for RDF4J + and custom SimpleQuadStore (for faster implementation without indexing of RDF libraries)
    @@ -123,107 +132,294 @@

    Class QuadStore

    @@ -231,12 +427,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
        @@ -247,166 +444,526 @@

        QuadStore

    +
    +
      -
    • +
    • Method Detail

      - + + + +
        +
      • +

        equals

        +
        public abstract boolean equals​(java.lang.Object o)
        +
        +
        Overrides:
        +
        equals in class java.lang.Object
        +
        +
      • +
      + + + +
        +
      • +

        removeQuads

        +
        public abstract void removeQuads​(Term subject,
        +                                 Term predicate,
        +                                 Term object,
        +                                 Term graph)
        +
        Remove all Quads matching input from store.
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        graph -
        +
        +
      • +
      + + + +
        +
      • +

        contains

        +
        public abstract boolean contains​(Term subject,
        +                                 Term predicate,
        +                                 Term object,
        +                                 Term graph)
        +
        True if Quad matching input is present in store.
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        graph -
        +
        Returns:
        +
        +
      • +
      + + + +
        +
      • +

        isIsomorphic

        +
        public abstract boolean isIsomorphic​(QuadStore store)
        +
        Test if given store and this store are isomorphic RDF graph representations
        +
        +
        Parameters:
        +
        store -
        +
        Returns:
        +
        +
      • +
      + + + +
        +
      • +

        isSubset

        +
        public abstract boolean isSubset​(QuadStore store)
        +
        Test if given store is subset of this store
        +
        +
        Parameters:
        +
        store -
        +
        Returns:
        +
        +
      • +
      +
      • removeDuplicates

        -
        public abstract void removeDuplicates()
        +
        public abstract void removeDuplicates()
        +
        Remove duplicate quads
      - +
      • addQuad

        -
        public abstract void addQuad(Term subject,
        -                             Term predicate,
        -                             Term object,
        -                             Term graph)
        +
        public abstract void addQuad​(Term subject,
        +                             Term predicate,
        +                             Term object,
        +                             Term graph)
        +
        Add given Quad to store
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        graph -
        +
      - +
      • getQuads

        -
        public abstract List<Quad> getQuads(Term subject,
        -                                    Term predicate,
        -                                    Term object,
        -                                    Term graph)
        +
        public abstract java.util.List<Quad> getQuads​(Term subject,
        +                                              Term predicate,
        +                                              Term object,
        +                                              Term graph)
        +
        Get all Quads in store matching arguments. + Null can be used as a wildcard.
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        graph -
        +
        Returns:
        +
      - +
      • -

        getQuads

        -
        public abstract List<Quad> getQuads(Term subject,
        -                                    Term predicate,
        -                                    Term object)
        +

        copyNameSpaces

        +
        public abstract void copyNameSpaces​(QuadStore store)
        +
        Copy namespaces between stores. Used in retaining the prefixes in the mapping file in the output. + TODO define general Namespace class to use between QuadStore instances
        +
        +
        Parameters:
        +
        store - QuadStore with namespaces to be copied to this store
        +
      - +
      • isEmpty

        -
        public abstract boolean isEmpty()
        +
        public abstract boolean isEmpty()
        +
        True if RDF quads present is 0
        +
        +
        Returns:
        +
        boolean
        +
      - +
      • size

        -
        public abstract int size()
        +
        public abstract int size()
        +
        Number of RDF quads
        +
        +
        Returns:
        +
        int
        +
      - + + + +
        +
      • +

        read

        +
        public abstract void read​(java.io.InputStream is,
        +                          java.lang.String base,
        +                          org.eclipse.rdf4j.rio.RDFFormat format)
        +                   throws java.lang.Exception
        +
        Read RDF to QuadStore + TODO use class or enum for input format
        +
        +
        Parameters:
        +
        is - Stream of RDF in given format
        +
        base - Base URL
        +
        format - Given format for RDF
        +
        Throws:
        +
        java.lang.Exception
        +
        +
      • +
      + + + +
        +
      • +

        write

        +
        public abstract void write​(java.io.Writer out,
        +                           java.lang.String format)
        +                    throws java.lang.Exception
        +
        Write out the QuadStore in given format + TODO use class or enum for output format
        +
        +
        Parameters:
        +
        out - Writer output location
        +
        format - QuadStore format (.TTL)
        +
        Throws:
        +
        java.lang.Exception
        +
        +
      • +
      + + + +
        +
      • +

        write

        +
        public final void write​(java.io.ByteArrayOutputStream out,
        +                        java.lang.String format)
        +                 throws java.lang.Exception
        +
        Helper function
        +
        +
        Parameters:
        +
        out -
        +
        format -
        +
        Throws:
        +
        java.lang.Exception
        +
        +
      • +
      +
      • write

        -
        public abstract void write(Writer out,
        -                           String format)
        -                    throws IOException
        +
        public final void write​(java.io.PrintStream out,
        +                        java.lang.String format)
        +                 throws java.lang.Exception
        +
        Helper function
        +
        +
        Parameters:
        +
        out -
        +
        format -
        +
        Throws:
        +
        java.lang.Exception
        +
        +
      • +
      + + + +
        +
      • +

        getQuad

        +
        public final Quad getQuad​(Term subject,
        +                          Term predicate,
        +                          Term object,
        +                          Term graph)
        +                   throws java.lang.Exception
        +
        Helper function
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        graph -
        +
        Returns:
        +
        Throws:
        +
        java.lang.Exception
        +
        +
      • +
      + + + +
        +
      • +

        getQuad

        +
        public final Quad getQuad​(Term subject,
        +                          Term predicate,
        +                          Term object)
        +                   throws java.lang.Exception
        +
        Helper function
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        Returns:
        Throws:
        -
        IOException
        +
        java.lang.Exception
        +
        +
      • +
      + + + +
        +
      • +

        getQuads

        +
        public final java.util.List<Quad> getQuads​(Term subject,
        +                                           Term predicate,
        +                                           Term object)
        +
        Helper function
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        Returns:
        +
        +
      • +
      + + + +
        +
      • +

        contains

        +
        public final boolean contains​(Term subject,
        +                              Term predicate,
        +                              Term object)
        +
        Helper function
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
        Returns:
      - +
      • -

        setNamespaces

        -
        public abstract void setNamespaces(Set<org.eclipse.rdf4j.model.Namespace> namespaces)
        +

        addQuad

        +
        public final void addQuad​(Term subject,
        +                          Term predicate,
        +                          Term object)
        +
        Helper function
        +
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
        +
      - +
      • -

        addTriple

        -
        public void addTriple(Term subject,
        -                      Term predicate,
        -                      Term object)
        +

        addQuad

        +
        public final void addQuad​(Quad q)
        +
        Helper function
        +
        +
        Parameters:
        +
        q -
        +
      - +
      • addQuads

        -
        public void addQuads(List<Quad> quads)
        +
        public final void addQuads​(java.util.List<Quad> quads)
        +
        Add all quads in given list
        +
        +
        Parameters:
        +
        quads - to be added to QuadStore
        +
      - +
      • -

        toString

        -
        public String toString()
        +

        removeQuads

        +
        public final void removeQuads​(Term subject,
        +                              Term predicate,
        +                              Term object)
        +
        Helper function
        -
        Overrides:
        -
        toString in class Object
        +
        Parameters:
        +
        subject -
        +
        predicate -
        +
        object -
      - +
      • -

        toSortedString

        -
        public String toSortedString()
        +

        removeQuads

        +
        public final void removeQuads​(Quad quad)
        +
      • +
      + + + +
        +
      • +

        removeQuads

        +
        public final void removeQuads​(java.util.List<Quad> quads)
        +
      • +
      + + + +
        +
      • +

        tryPropertyTranslation

        +
        public final void tryPropertyTranslation​(Term from,
        +                                         Term fromPredicate,
        +                                         Term to,
        +                                         Term toPredicate)
        +
        If fromPredicate is present on from, rename it to toPredicate and move it to to
        +
        +
        Parameters:
        +
        from -
        +
        fromPredicate -
        +
        to -
        +
        toPredicate -
        +
        +
      • +
      + + + +
        +
      • +

        renameAll

        +
        public final void renameAll​(Term fromPredicate,
        +                            Term toPredicate)
        +
        Rename all predicates in graph
        +
        +
        Parameters:
        +
        fromPredicate - predicate to be renamed
        +
        toPredicate - new predicate name
        +
        +
      • +
      + + + +
        +
      • +

        toString

        +
        public final java.lang.String toString()
        +
        Uses Quads in string representation
        +
        +
        Overrides:
        +
        toString in class java.lang.Object
        +
        Returns:
        +
        String of QuadStore
        +
      - +
      • -

        toSimpleSortedQuadStore

        -
        public QuadStore toSimpleSortedQuadStore()
        +

        toSortedString

        +
        public final java.lang.String toSortedString()
        +
        Use sorted Quads in string representation
        +
        +
        Returns:
        +
        sorted String of QuadStore
        +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html b/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html new file mode 100644 index 00000000..54680fbb --- /dev/null +++ b/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html @@ -0,0 +1,376 @@ + + + + + +QuadStoreFactory (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    + +
    +
    + +

    Class QuadStoreFactory

    +
    +
    +
      +
    • java.lang.Object
    • +
    • +
        +
      • be.ugent.rml.store.QuadStoreFactory
      • +
      +
    • +
    +
    +
      +
    • +
      +
      public class QuadStoreFactory
      +extends java.lang.Object
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Constructor Summary

        +
        + + + + + + + + + + + + +
        Constructors 
        ConstructorDescription
        QuadStoreFactory() 
        +
        +
      • +
      +
      + +
      +
        +
      • + + +

        Method Summary

        +
        +
        +
        + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
        Modifier and TypeMethodDescription
        static QuadStoreread​(java.io.File file) +
        Read from file, default Turtle format
        +
        static QuadStoreread​(java.io.File file, + org.eclipse.rdf4j.rio.RDFFormat format) +
        Read from file in given format
        +
        static QuadStoreread​(java.io.InputStream mappingStream) +
        Read from InputStream, default Turtle format
        +
        static QuadStoreread​(java.io.InputStream mappingStream, + org.eclipse.rdf4j.rio.RDFFormat format) +
        Read from InputStream in given format
        +
        +
        +
        +
          +
        • + + +

          Methods inherited from class java.lang.Object

          +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
      +
    • + +
      +
        +
      • + + +

        Constructor Detail

        + + + +
          +
        • +

          QuadStoreFactory

          +
          public QuadStoreFactory()
          +
        • +
        +
      • +
      +
      + +
      +
        +
      • + + +

        Method Detail

        + + + +
          +
        • +

          read

          +
          public static QuadStore read​(java.io.File file)
          +                      throws java.lang.Exception
          +
          Read from file, default Turtle format
          +
          +
          Parameters:
          +
          file -
          +
          Returns:
          +
          Throws:
          +
          java.lang.Exception
          +
          +
        • +
        + + + +
          +
        • +

          read

          +
          public static QuadStore read​(java.io.File file,
          +                             org.eclipse.rdf4j.rio.RDFFormat format)
          +                      throws java.lang.Exception
          +
          Read from file in given format
          +
          +
          Parameters:
          +
          file -
          +
          format -
          +
          Returns:
          +
          Throws:
          +
          java.lang.Exception
          +
          +
        • +
        + + + +
          +
        • +

          read

          +
          public static QuadStore read​(java.io.InputStream mappingStream)
          +                      throws java.lang.Exception
          +
          Read from InputStream, default Turtle format
          +
          +
          Parameters:
          +
          mappingStream -
          +
          Returns:
          +
          Throws:
          +
          java.lang.Exception
          +
          +
        • +
        + + + +
          +
        • +

          read

          +
          public static QuadStore read​(java.io.InputStream mappingStream,
          +                             org.eclipse.rdf4j.rio.RDFFormat format)
          +                      throws java.lang.Exception
          +
          Read from InputStream in given format
          +
          +
          Parameters:
          +
          mappingStream -
          +
          format -
          +
          Returns:
          +
          Throws:
          +
          java.lang.Exception
          +
          +
        • +
        +
      • +
      +
      +
    • +
    +
    +
    +
    + + + + diff --git a/docs/apidocs/be/ugent/rml/store/RDF4JStore.html b/docs/apidocs/be/ugent/rml/store/RDF4JStore.html index 214ae08a..5a06648f 100644 --- a/docs/apidocs/be/ugent/rml/store/RDF4JStore.html +++ b/docs/apidocs/be/ugent/rml/store/RDF4JStore.html @@ -1,44 +1,58 @@ - + - + +RDF4JStore (rmlmapper 4.6.0 API) -RDF4JStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.store
    +

    Class RDF4JStore

    @@ -124,120 +132,181 @@

    Class RDF4JStore

    @@ -245,21 +314,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - - - -
        -
      • -

        RDF4JStore

        -
        public RDF4JStore(org.eclipse.rdf4j.model.Model model)
        -
      • -
      - +
        @@ -270,196 +331,284 @@

        RDF4JStore

    +
    +
      -
    • +
    • Method Detail

      - + - + - + - +
      • -

        getQuads

        -
        public List<Quad> getQuads(Term subject,
        -                           Term predicate,
        -                           Term object)
        +

        copyNameSpaces

        +
        public void copyNameSpaces​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Copy namespaces between stores. Used in retaining the prefixes in the mapping file in the output. + TODO define general Namespace class to use between QuadStore instances
        Specified by:
        -
        getQuads in class QuadStore
        +
        copyNameSpaces in class QuadStore
        +
        Parameters:
        +
        store - QuadStore with namespaces to be copied to this store
      - +
      • -

        write

        -
        public void write(Writer out,
        -                  String format)
        +

        read

        +
        public void read​(java.io.InputStream is,
        +                 java.lang.String base,
        +                 org.eclipse.rdf4j.rio.RDFFormat format)
        +          throws java.lang.Exception
        +
        Description copied from class: QuadStore
        +
        Read RDF to QuadStore + TODO use class or enum for input format
        Specified by:
        -
        write in class QuadStore
        +
        read in class QuadStore
        +
        Parameters:
        +
        is - Stream of RDF in given format
        +
        base - Base URL
        +
        format - Given format for RDF
        +
        Throws:
        +
        java.lang.Exception
      - +
      • -

        setNamespaces

        -
        public void setNamespaces(Set<org.eclipse.rdf4j.model.Namespace> namespaces)
        +

        write

        +
        public void write​(java.io.Writer out,
        +                  java.lang.String format)
        +           throws java.lang.Exception
        +
        Description copied from class: QuadStore
        +
        Write out the QuadStore in given format + TODO use class or enum for output format
        Specified by:
        -
        setNamespaces in class QuadStore
        +
        write in class QuadStore
        +
        Parameters:
        +
        out - Writer output location
        +
        format - QuadStore format (.TTL)
        +
        Throws:
        +
        java.lang.Exception
      - +
      • -

        getNamespaces

        -
        public Set<org.eclipse.rdf4j.model.Namespace> getNamespaces()
        +

        isEmpty

        +
        public boolean isEmpty()
        +
        Description copied from class: QuadStore
        +
        True if RDF quads present is 0
        +
        +
        Specified by:
        +
        isEmpty in class QuadStore
        +
        Returns:
        +
        boolean
        +
      - +
      • -

        isEmpty

        -
        public boolean isEmpty()
        +

        size

        +
        public int size()
        +
        Description copied from class: QuadStore
        +
        Number of RDF quads
        Specified by:
        -
        isEmpty in class QuadStore
        +
        size in class QuadStore
        +
        Returns:
        +
        int
      - +
      • -

        size

        -
        public int size()
        +

        getModel

        +
        public org.eclipse.rdf4j.model.Model getModel()
        +
        TODO remove all need for this. Currently: + - store equality/isomorphism + - namespace passing + - store difference + - store isSubset
        +
      • +
      + + + + - +
      • -

        getModel

        -
        public org.eclipse.rdf4j.model.Model getModel()
        +

        removeQuads

        +
        public void removeQuads​(Term subject,
        +                        Term predicate,
        +                        Term object,
        +                        Term graph)
        +
        Description copied from class: QuadStore
        +
        Remove all Quads matching input from store.
        +
        +
        Specified by:
        +
        removeQuads in class QuadStore
        +
      - +
      • -

        equals

        -
        public boolean equals(Object o)
        +

        contains

        +
        public boolean contains​(Term subject,
        +                        Term predicate,
        +                        Term object,
        +                        Term graph)
        +
        Description copied from class: QuadStore
        +
        True if Quad matching input is present in store.
        -
        Overrides:
        -
        equals in class Object
        +
        Specified by:
        +
        contains in class QuadStore
        +
        Returns:
      - +
      • -

        removeQuads

        -
        public void removeQuads(Term subject,
        -                        Term predicate,
        -                        Term object,
        -                        Term graph)
        +

        isIsomorphic

        +
        public boolean isIsomorphic​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Test if given store and this store are isomorphic RDF graph representations
        +
        +
        Specified by:
        +
        isIsomorphic in class QuadStore
        +
        Returns:
        +
      - +
      • -

        removeQuads

        -
        public void removeQuads(Term subject,
        -                        Term predicate,
        -                        Term object)
        +

        isSubset

        +
        public boolean isSubset​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Test if given store is subset of this store
        +
        +
        Specified by:
        +
        isSubset in class QuadStore
        +
        Returns:
        +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/store/SimpleQuadStore.html b/docs/apidocs/be/ugent/rml/store/SimpleQuadStore.html index 64e9fdbb..bd772cc6 100644 --- a/docs/apidocs/be/ugent/rml/store/SimpleQuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/SimpleQuadStore.html @@ -1,44 +1,58 @@ - + - + +SimpleQuadStore (rmlmapper 4.6.0 API) -SimpleQuadStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.store
    +

    Class SimpleQuadStore

    @@ -124,95 +132,174 @@

    Class SimpleQuadStore

    @@ -220,21 +307,13 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - - - -
        -
      • -

        SimpleQuadStore

        -
        public SimpleQuadStore(ArrayList<Quad> quads)
        -
      • -
      - +
        @@ -245,145 +324,267 @@

        SimpleQuadStore

    +
    +
      -
    • +
    • Method Detail

      - + - + - + - +
      • -

        getQuads

        -
        public List<Quad> getQuads(Term subject,
        -                           Term predicate,
        -                           Term object)
        +

        copyNameSpaces

        +
        public void copyNameSpaces​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Copy namespaces between stores. Used in retaining the prefixes in the mapping file in the output. + TODO define general Namespace class to use between QuadStore instances
        Specified by:
        -
        getQuads in class QuadStore
        +
        copyNameSpaces in class QuadStore
        +
        Parameters:
        +
        store - QuadStore with namespaces to be copied to this store
      - +
      • isEmpty

        -
        public boolean isEmpty()
        +
        public boolean isEmpty()
        +
        Description copied from class: QuadStore
        +
        True if RDF quads present is 0
        Specified by:
        -
        isEmpty in class QuadStore
        +
        isEmpty in class QuadStore
        +
        Returns:
        +
        boolean
      - +
      • size

        -
        public int size()
        +
        public int size()
        +
        Description copied from class: QuadStore
        +
        Number of RDF quads
        Specified by:
        -
        size in class QuadStore
        +
        size in class QuadStore
        +
        Returns:
        +
        int
      - + + + +
        +
      • +

        read

        +
        public void read​(java.io.InputStream is,
        +                 java.lang.String base,
        +                 org.eclipse.rdf4j.rio.RDFFormat format)
        +
        Description copied from class: QuadStore
        +
        Read RDF to QuadStore + TODO use class or enum for input format
        +
        +
        Specified by:
        +
        read in class QuadStore
        +
        Parameters:
        +
        is - Stream of RDF in given format
        +
        base - Base URL
        +
        format - Given format for RDF
        +
        +
      • +
      +
      • write

        -
        public void write(Writer out,
        -                  String format)
        -           throws IOException
        +
        public void write​(java.io.Writer out,
        +                  java.lang.String format)
        +           throws java.io.IOException
        +
        Description copied from class: QuadStore
        +
        Write out the QuadStore in given format + TODO use class or enum for output format
        Specified by:
        -
        write in class QuadStore
        +
        write in class QuadStore
        +
        Parameters:
        +
        out - Writer output location
        +
        format - QuadStore format (.TTL)
        Throws:
        -
        IOException
        +
        java.io.IOException
        +
        +
      • +
      + + + +
        +
      • +

        equals

        +
        public boolean equals​(java.lang.Object o)
        +
        +
        Specified by:
        +
        equals in class QuadStore
        +
        +
      • +
      + + + +
        +
      • +

        removeQuads

        +
        public void removeQuads​(Term subject,
        +                        Term predicate,
        +                        Term object,
        +                        Term graph)
        +
        Description copied from class: QuadStore
        +
        Remove all Quads matching input from store.
        +
        +
        Specified by:
        +
        removeQuads in class QuadStore
        +
        +
      • +
      + + + +
        +
      • +

        contains

        +
        public boolean contains​(Term subject,
        +                        Term predicate,
        +                        Term object,
        +                        Term graph)
        +
        Description copied from class: QuadStore
        +
        True if Quad matching input is present in store.
        +
        +
        Specified by:
        +
        contains in class QuadStore
        +
        Returns:
      - + + + +
        +
      • +

        isIsomorphic

        +
        public boolean isIsomorphic​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Test if given store and this store are isomorphic RDF graph representations
        +
        +
        Specified by:
        +
        isIsomorphic in class QuadStore
        +
        Returns:
        +
        +
      • +
      +
      • -

        setNamespaces

        -
        public void setNamespaces(Set<org.eclipse.rdf4j.model.Namespace> namespaces)
        +

        isSubset

        +
        public boolean isSubset​(QuadStore store)
        +
        Description copied from class: QuadStore
        +
        Test if given store is subset of this store
        Specified by:
        -
        setNamespaces in class QuadStore
        +
        isSubset in class QuadStore
        +
        Returns:
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/store/class-use/Quad.html b/docs/apidocs/be/ugent/rml/store/class-use/Quad.html index dfbae08b..98ffa4ed 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/Quad.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/Quad.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.store.Quad (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.store.Quad (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.store.Quad

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html b/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html index 8e6ba19a..45d94cb4 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.store.QuadStore (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.store.QuadStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.store.QuadStore

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html b/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html new file mode 100644 index 00000000..f0d7c490 --- /dev/null +++ b/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html @@ -0,0 +1,114 @@ + + + + + +Uses of Class be.ugent.rml.store.QuadStoreFactory (rmlmapper 4.6.0 API) + + + + + + + + + + + + + + + +
    + +
    +
    +
    +

    Uses of Class
    be.ugent.rml.store.QuadStoreFactory

    +
    +
    No usage of be.ugent.rml.store.QuadStoreFactory
    +
    + + + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html b/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html index 9fe63b61..87365ece 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.store.RDF4JStore (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.store.RDF4JStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.store.RDF4JStore

    -
    - -
    +
    No usage of be.ugent.rml.store.RDF4JStore
    +
    + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html b/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html index 1986351a..d964952b 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.store.SimpleQuadStore (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.store.SimpleQuadStore (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.store.SimpleQuadStore

    No usage of be.ugent.rml.store.SimpleQuadStore
    +
    + diff --git a/docs/apidocs/be/ugent/rml/store/package-summary.html b/docs/apidocs/be/ugent/rml/store/package-summary.html index 7077feca..3a00533f 100644 --- a/docs/apidocs/be/ugent/rml/store/package-summary.html +++ b/docs/apidocs/be/ugent/rml/store/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.store (rmlmapper 4.6.0 API) -be.ugent.rml.store (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.store

    +
    + diff --git a/docs/apidocs/be/ugent/rml/store/package-tree.html b/docs/apidocs/be/ugent/rml/store/package-tree.html index 7a369cca..b16067eb 100644 --- a/docs/apidocs/be/ugent/rml/store/package-tree.html +++ b/docs/apidocs/be/ugent/rml/store/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.store Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.store Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.store

    Package Hierarchies: @@ -78,31 +85,37 @@

    Hierarchy For Package be.ugent.rml.store

    +

    Class Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/store/package-use.html b/docs/apidocs/be/ugent/rml/store/package-use.html index d1864b0a..0afe9f95 100644 --- a/docs/apidocs/be/ugent/rml/store/package-use.html +++ b/docs/apidocs/be/ugent/rml/store/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.store (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.store (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.store

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml 
    + - + + - + + - + + + +
    Classes in be.ugent.rml.store used by be.ugent.rml 
    Class and DescriptionClassDescription
    Quad Quad 
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    + +
  • +
  • + + +
    + + + + + + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.access 
    ClassDescription
    RDF4JStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml.access 
    + - + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.conformer 
    Class and DescriptionClassDescription
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml.functions 
    + - + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml.metadata 
    + - + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.metadata 
    Class and DescriptionClassDescription
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml.records 
    + - + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.records 
    Class and DescriptionClassDescription
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.store used by be.ugent.rml.store 
    + - + + - + + - + +
    Classes in be.ugent.rml.store used by be.ugent.rml.store 
    Class and DescriptionClassDescription
    Quad Quad 
    QuadStore QuadStore +
    Vendor-neutral interface for managing RDF collections.
    +
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/term/AbstractTerm.html b/docs/apidocs/be/ugent/rml/term/AbstractTerm.html index 1c494591..eadc9032 100644 --- a/docs/apidocs/be/ugent/rml/term/AbstractTerm.html +++ b/docs/apidocs/be/ugent/rml/term/AbstractTerm.html @@ -1,44 +1,58 @@ - + - + +AbstractTerm (rmlmapper 4.6.0 API) -AbstractTerm (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class AbstractTerm

    @@ -128,56 +134,76 @@

    Class AbstractTerm

    @@ -185,84 +211,91 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • AbstractTerm

        -
        public AbstractTerm(String value)
        +
        public AbstractTerm​(java.lang.String value)
    +
    +
      -
    • +
    • Method Detail

      - +
      • getValue

        -
        public String getValue()
        +
        public java.lang.String getValue()
        Specified by:
        -
        getValue in interface Term
        +
        getValue in interface Term
      - +
      • hashCode

        -
        public int hashCode()
        +
        public int hashCode()
        Overrides:
        -
        hashCode in class Object
        +
        hashCode in class java.lang.Object
      - +
      • toString

        -
        public String toString()
        +
        public java.lang.String toString()
        Overrides:
        -
        toString in class Object
        +
        toString in class java.lang.Object
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/term/BlankNode.html b/docs/apidocs/be/ugent/rml/term/BlankNode.html index 1e21a983..e47c6830 100644 --- a/docs/apidocs/be/ugent/rml/term/BlankNode.html +++ b/docs/apidocs/be/ugent/rml/term/BlankNode.html @@ -1,44 +1,58 @@ - + - + +BlankNode (rmlmapper 4.6.0 API) -BlankNode (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class BlankNode

    @@ -128,62 +134,82 @@

    Class BlankNode

    @@ -191,21 +217,22 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • BlankNode

        -
        public BlankNode(String suffix)
        +
        public BlankNode​(java.lang.String suffix)
      - +
        @@ -216,55 +243,61 @@

        BlankNode

    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/term/Literal.html b/docs/apidocs/be/ugent/rml/term/Literal.html index 615ba95c..22f68c33 100644 --- a/docs/apidocs/be/ugent/rml/term/Literal.html +++ b/docs/apidocs/be/ugent/rml/term/Literal.html @@ -1,44 +1,58 @@ - + - + +Literal (rmlmapper 4.6.0 API) -Literal (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class Literal

    @@ -128,75 +134,98 @@

    Class Literal

    @@ -204,109 +233,116 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • Literal

        -
        public Literal(String value)
        +
        public Literal​(java.lang.String value)
      - +
      • Literal

        -
        public Literal(String value,
        -               String language)
        +
        public Literal​(java.lang.String value,
        +               java.lang.String language)
      - +
      • Literal

        -
        public Literal(String value,
        -               Term datatype)
        +
        public Literal​(java.lang.String value,
        +               Term datatype)
    +
    +
      -
    • +
    • Method Detail

      - +
      • getLanguage

        -
        public String getLanguage()
        +
        public java.lang.String getLanguage()
      - +
      • getDatatype

        -
        public Term getDatatype()
        +
        public Term getDatatype()
      - + - +
      • equals

        -
        public boolean equals(Object o)
        +
        public boolean equals​(java.lang.Object o)
        Overrides:
        -
        equals in class Object
        +
        equals in class java.lang.Object
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/term/NamedNode.html b/docs/apidocs/be/ugent/rml/term/NamedNode.html index bfe57632..74764905 100644 --- a/docs/apidocs/be/ugent/rml/term/NamedNode.html +++ b/docs/apidocs/be/ugent/rml/term/NamedNode.html @@ -1,44 +1,58 @@ - + - + +NamedNode (rmlmapper 4.6.0 API) -NamedNode (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class NamedNode

    @@ -128,59 +134,78 @@

    Class NamedNode

    @@ -188,71 +213,78 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • NamedNode

        -
        public NamedNode(String iri)
        +
        public NamedNode​(java.lang.String iri)
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/term/ProvenancedQuad.html b/docs/apidocs/be/ugent/rml/term/ProvenancedQuad.html index f1121ec9..a99309cb 100644 --- a/docs/apidocs/be/ugent/rml/term/ProvenancedQuad.html +++ b/docs/apidocs/be/ugent/rml/term/ProvenancedQuad.html @@ -1,44 +1,58 @@ - + - + +ProvenancedQuad (rmlmapper 4.6.0 API) -ProvenancedQuad (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class ProvenancedQuad

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.term.ProvenancedQuad
      • @@ -109,9 +116,8 @@

        Class ProvenancedQuad


        • -
          public class ProvenancedQuad
          -extends Object
          +extends java.lang.Object
    @@ -119,68 +125,90 @@

    Class ProvenancedQuad

    @@ -188,95 +216,102 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html b/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html index 409a719e..34df4e6e 100644 --- a/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html +++ b/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html @@ -1,44 +1,58 @@ - + - + +ProvenancedTerm (rmlmapper 4.6.0 API) -ProvenancedTerm (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Class ProvenancedTerm

      -
    • java.lang.Object
    • +
    • java.lang.Object
      • be.ugent.rml.term.ProvenancedTerm
      • @@ -109,9 +116,8 @@

        Class ProvenancedTerm


        • -
          public class ProvenancedTerm
          -extends Object
          +extends java.lang.Object
    @@ -119,60 +125,81 @@

    Class ProvenancedTerm

    @@ -180,83 +207,90 @@

    Methods inherited from class java.lang.
  • +
      -
    • +
    • Constructor Detail

      - +
      • ProvenancedTerm

        -
        public ProvenancedTerm(Term term,
        -                       Metadata metadata)
        +
        public ProvenancedTerm​(Term term,
        +                       Metadata metadata)
      - +
      • ProvenancedTerm

        -
        public ProvenancedTerm(Term term,
        -                       MappingInfo mappingInfo)
        +
        public ProvenancedTerm​(Term term,
        +                       MappingInfo mappingInfo)
      - +
      • ProvenancedTerm

        -
        public ProvenancedTerm(Term term)
        +
        public ProvenancedTerm​(Term term)
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/term/Term.html b/docs/apidocs/be/ugent/rml/term/Term.html index 8a75efd9..42ca02e8 100644 --- a/docs/apidocs/be/ugent/rml/term/Term.html +++ b/docs/apidocs/be/ugent/rml/term/Term.html @@ -1,44 +1,58 @@ - + - + +Term (rmlmapper 4.6.0 API) -Term (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.term
    +

    Interface Term

    @@ -102,10 +109,9 @@

    Interface Term

  • All Known Implementing Classes:
    -
    AbstractTerm, BlankNode, Literal, NamedNode
    +
    AbstractTerm, BlankNode, Literal, NamedNode

    -
    public interface Term
  • @@ -114,24 +120,34 @@

    Interface Term

    + + @@ -139,37 +155,42 @@

    Method Summary

    • +
        -
      • +
      • Method Detail

        - +
        • getValue

          -
          String getValue()
          +
          java.lang.String getValue()
      +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html b/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html index 945dcddd..6dae0c2b 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.AbstractTerm (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.AbstractTerm (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.AbstractTerm

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html b/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html index 2a8c3df4..1f75d813 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.BlankNode (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.BlankNode (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.BlankNode

    No usage of be.ugent.rml.term.BlankNode
    +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/Literal.html b/docs/apidocs/be/ugent/rml/term/class-use/Literal.html index 385b71fc..1895a2b2 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/Literal.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/Literal.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.Literal (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.Literal (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.Literal

    No usage of be.ugent.rml.term.Literal
    +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html b/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html index aebe6f0c..257cce45 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.NamedNode (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.NamedNode (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.NamedNode

    No usage of be.ugent.rml.term.NamedNode
    +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html index acdd885c..f46bded3 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.ProvenancedQuad (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.ProvenancedQuad (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.ProvenancedQuad

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html index 6c088b0e..df611393 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.term.ProvenancedTerm (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.term.ProvenancedTerm (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.term.ProvenancedTerm

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/Term.html b/docs/apidocs/be/ugent/rml/term/class-use/Term.html index 91b27410..4b541382 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/Term.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/Term.html @@ -1,40 +1,54 @@ - + - + +Uses of Interface be.ugent.rml.term.Term (rmlmapper 4.6.0 API) -Uses of Interface be.ugent.rml.term.Term (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Interface
    be.ugent.rml.term.Term

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/term/package-summary.html b/docs/apidocs/be/ugent/rml/term/package-summary.html index 53f282ea..4a8110df 100644 --- a/docs/apidocs/be/ugent/rml/term/package-summary.html +++ b/docs/apidocs/be/ugent/rml/term/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.term (rmlmapper 4.6.0 API) -be.ugent.rml.term (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.term

    • - +
      +
      @@ -84,14 +92,16 @@

      Package be.ugent.rml.term

      - +
      Interface Summary 
      Interface
      TermTerm  
      +
  • - +
    +
    @@ -99,44 +109,48 @@

    Package be.ugent.rml.term

    - + - + - + - + - + - +
    Class Summary 
    Class
    AbstractTermAbstractTerm  
    BlankNodeBlankNode  
    LiteralLiteral  
    NamedNodeNamedNode  
    ProvenancedQuadProvenancedQuad  
    ProvenancedTermProvenancedTerm  
    +
  • +
    + diff --git a/docs/apidocs/be/ugent/rml/term/package-tree.html b/docs/apidocs/be/ugent/rml/term/package-tree.html index d7aea7d9..896faa3f 100644 --- a/docs/apidocs/be/ugent/rml/term/package-tree.html +++ b/docs/apidocs/be/ugent/rml/term/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.term Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.term Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.term

    Package Hierarchies: @@ -78,37 +85,44 @@

    Hierarchy For Package be.ugent.rml.term

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

      -
    • be.ugent.rml.term.Term
    • +
    • be.ugent.rml.term.Term
    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/term/package-use.html b/docs/apidocs/be/ugent/rml/term/package-use.html index e4da6ecb..f3dae715 100644 --- a/docs/apidocs/be/ugent/rml/term/package-use.html +++ b/docs/apidocs/be/ugent/rml/term/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.term (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.term (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.term

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml 
    + - + + - + + - + + + + +
    Classes in be.ugent.rml.term used by be.ugent.rml 
    Class and DescriptionClassDescription
    ProvenancedTerm ProvenancedTerm 
    Term Term 
    + +
  • +
  • + + +
    + + + + + + + + + +
    Classes in be.ugent.rml.term used by be.ugent.rml.access 
    ClassDescription
    Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.access 
    + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.conformer 
    Class and DescriptionClassDescription
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.functions 
    + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.metadata 
    + - + + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.metadata 
    Class and DescriptionClassDescription
    ProvenancedQuad ProvenancedQuad 
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.records 
    + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.records 
    Class and DescriptionClassDescription
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.store 
    + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.store 
    Class and DescriptionClassDescription
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.term 
    + - + + - + + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.term 
    Class and DescriptionClassDescription
    AbstractTerm AbstractTerm 
    ProvenancedTerm ProvenancedTerm 
    Term Term 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.term used by be.ugent.rml.termgenerator 
    + - + + - + +
    Classes in be.ugent.rml.term used by be.ugent.rml.termgenerator 
    Class and DescriptionClassDescription
    Term Term 
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html index ba66f8cb..51b022d3 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html @@ -1,44 +1,58 @@ - + - + +BlankNodeGenerator (rmlmapper 4.6.0 API) -BlankNodeGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.termgenerator
    +

    Class BlankNodeGenerator

    @@ -124,51 +130,70 @@

    Class BlankNodeGenerator

    @@ -176,12 +201,13 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/termgenerator/LiteralGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/LiteralGenerator.html index 30497f25..c1f25737 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/LiteralGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/LiteralGenerator.html @@ -1,44 +1,58 @@ - + - + +LiteralGenerator (rmlmapper 4.6.0 API) -LiteralGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.termgenerator
    +

    Class LiteralGenerator

    @@ -124,60 +130,81 @@

    Class LiteralGenerator

    @@ -185,91 +212,98 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/NamedNodeGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/NamedNodeGenerator.html index 0ce9d135..4045bf79 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/NamedNodeGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/NamedNodeGenerator.html @@ -1,44 +1,58 @@ - + - + +NamedNodeGenerator (rmlmapper 4.6.0 API) -NamedNodeGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.termgenerator
    +

    Class NamedNodeGenerator

    @@ -124,48 +130,66 @@

    Class NamedNodeGenerator

    @@ -173,61 +197,68 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/TermGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/TermGenerator.html index ef699619..dc13c0ac 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/TermGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/TermGenerator.html @@ -1,44 +1,58 @@ - + - + +TermGenerator (rmlmapper 4.6.0 API) -TermGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    -
    be.ugent.rml.termgenerator
    +

    Class TermGenerator

    @@ -123,48 +129,66 @@

    Class TermGenerator

    @@ -172,59 +196,66 @@

    Methods inherited from class java.lang.
  • +
    +
    +
    +
  • +

    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/termgenerator/class-use/BlankNodeGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/class-use/BlankNodeGenerator.html index 1ff6d96b..ca6b2bdb 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/class-use/BlankNodeGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/class-use/BlankNodeGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.termgenerator.BlankNodeGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.termgenerator.BlankNodeGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.termgenerator.BlankNodeGenerator

    No usage of be.ugent.rml.termgenerator.BlankNodeGenerator
    +
    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/class-use/LiteralGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/class-use/LiteralGenerator.html index d43218c4..b42ffbb7 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/class-use/LiteralGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/class-use/LiteralGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.termgenerator.LiteralGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.termgenerator.LiteralGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.termgenerator.LiteralGenerator

    No usage of be.ugent.rml.termgenerator.LiteralGenerator
    +
    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/class-use/NamedNodeGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/class-use/NamedNodeGenerator.html index 87255dee..6a71a306 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/class-use/NamedNodeGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/class-use/NamedNodeGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.termgenerator.NamedNodeGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.termgenerator.NamedNodeGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.termgenerator.NamedNodeGenerator

    No usage of be.ugent.rml.termgenerator.NamedNodeGenerator
    +
    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/class-use/TermGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/class-use/TermGenerator.html index f31b9d77..b6ecff58 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/class-use/TermGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/class-use/TermGenerator.html @@ -1,40 +1,54 @@ - + - + +Uses of Class be.ugent.rml.termgenerator.TermGenerator (rmlmapper 4.6.0 API) -Uses of Class be.ugent.rml.termgenerator.TermGenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Class
    be.ugent.rml.termgenerator.TermGenerator

  • +
    + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/package-summary.html b/docs/apidocs/be/ugent/rml/termgenerator/package-summary.html index a4111129..cbed5eae 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/package-summary.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/package-summary.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.termgenerator (rmlmapper 4.6.0 API) -be.ugent.rml.termgenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Package be.ugent.rml.termgenerator

    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/termgenerator/package-tree.html b/docs/apidocs/be/ugent/rml/termgenerator/package-tree.html index ac7d2a4a..265e89a7 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/package-tree.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/package-tree.html @@ -1,38 +1,52 @@ - + - + +be.ugent.rml.termgenerator Class Hierarchy (rmlmapper 4.6.0 API) -be.ugent.rml.termgenerator Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For Package be.ugent.rml.termgenerator

    Package Hierarchies: @@ -78,31 +85,36 @@

    Hierarchy For Package be.ugent.rml.termgenerator

    +

    Class Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/be/ugent/rml/termgenerator/package-use.html b/docs/apidocs/be/ugent/rml/termgenerator/package-use.html index e0114035..ea9a437e 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/package-use.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/package-use.html @@ -1,38 +1,52 @@ - + - + +Uses of Package be.ugent.rml.termgenerator (rmlmapper 4.6.0 API) -Uses of Package be.ugent.rml.termgenerator (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "../../../../"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Uses of Package
    be.ugent.rml.termgenerator

    -
  • +
  • - - +
    +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml 
    + - + + - + +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml 
    Class and DescriptionClassDescription
    TermGenerator TermGenerator 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml.functions 
    + - + + - + +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml.functions 
    Class and DescriptionClassDescription
    TermGenerator TermGenerator 
    +
  • -
  • +
  • - - +
    +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml.termgenerator 
    + - + + - + +
    Classes in be.ugent.rml.termgenerator used by be.ugent.rml.termgenerator 
    Class and DescriptionClassDescription
    TermGenerator TermGenerator 
    +
  • +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/constant-values.html b/docs/apidocs/constant-values.html index 997ab243..4124496a 100644 --- a/docs/apidocs/constant-values.html +++ b/docs/apidocs/constant-values.html @@ -1,38 +1,52 @@ - + - + +Constant Field Values (rmlmapper 4.6.0 API) -Constant Field Values (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Constant Field Values

    +

    Contents

    +
    -
    +
    +

    be.ugent.*

    • - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
      be.ugent.rml.DatabaseType 
      Modifier and TypeConstant FieldValue
      - -public static final StringDB2"com.ibm.as400.access.AS400JDBCDriver"
      - -public static final StringMYSQL"com.mysql.cj.jdbc.Driver"
      - -public static final StringPOSTGRES"org.postgresql.Driver"
      - -public static final StringSQL_SERVER"com.microsoft.sqlserver.jdbc.SQLServerDriver"
      -
    • -
    • - +
      +
      - + - - +public static final java.lang.String + - - +public static final java.lang.String + - - +public static final java.lang.String + - - +public static final java.lang.String + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - - +public static final java.lang.String + + - - +public static final java.lang.String + + + + + +
      be.ugent.rml.NAMESPACES 
      Modifier and TypeConstant FieldConstant Field Value
      + -public static final StringCSVWCSVW "http://www.w3.org/ns/csvw#"
      + -public static final StringD2RQD2RQ "http://www.wiwiss.fu-berlin.de/suhl/bizer/D2RQ/0.1#"
      + -public static final StringFNMLFNML "http://semweb.mmlab.be/ns/fnml#"
      + -public static final StringFNOFNO "http://w3id.org/function/ontology#"
      + -public static final StringPROV"http://www.w3.org/ns/prov#"FNO_S"https://w3id.org/function/ontology#"
      + -public static final StringQL"http://semweb.mmlab.be/ns/ql#"PROV"http://www.w3.org/ns/prov#"
      + -public static final StringRDF"http://www.w3.org/1999/02/22-rdf-syntax-ns#"QL"http://semweb.mmlab.be/ns/ql#"
      + -public static final StringRML"http://semweb.mmlab.be/ns/rml#"RDF"http://www.w3.org/1999/02/22-rdf-syntax-ns#"
      + -public static final StringRR"http://www.w3.org/ns/r2rml#"RML"http://semweb.mmlab.be/ns/rml#"
      + -public static final StringSD"http://www.w3.org/ns/sparql-service-description#"RR"http://www.w3.org/ns/r2rml#"
      + -public static final StringVOID"http://rdfs.org/ns/void#"SD"http://www.w3.org/ns/sparql-service-description#"
      + -public static final StringXSDVOID"http://rdfs.org/ns/void#"
      + +public static final java.lang.StringXSD "http://www.w3.org/2001/XMLSchema#"
      +
    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/deprecated-list.html b/docs/apidocs/deprecated-list.html index 898ebc2b..0525589c 100644 --- a/docs/apidocs/deprecated-list.html +++ b/docs/apidocs/deprecated-list.html @@ -1,38 +1,52 @@ - + - + +Deprecated List (rmlmapper 4.6.0 API) -Deprecated List (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Deprecated API

    Contents

    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/element-list b/docs/apidocs/element-list new file mode 100644 index 00000000..b71ebda3 --- /dev/null +++ b/docs/apidocs/element-list @@ -0,0 +1,12 @@ +be.ugent.rml +be.ugent.rml.access +be.ugent.rml.cli +be.ugent.rml.conformer +be.ugent.rml.extractor +be.ugent.rml.functions +be.ugent.rml.functions.lib +be.ugent.rml.metadata +be.ugent.rml.records +be.ugent.rml.store +be.ugent.rml.term +be.ugent.rml.termgenerator diff --git a/docs/apidocs/help-doc.html b/docs/apidocs/help-doc.html index b56e409e..31082741 100644 --- a/docs/apidocs/help-doc.html +++ b/docs/apidocs/help-doc.html @@ -1,38 +1,52 @@ - + - + +API Help (rmlmapper 4.6.0 API) -API Help (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    How This API Document Is Organized

    This API (Application Programming Interface) document has pages corresponding to the items in the navigation bar, described as follows.
    @@ -77,118 +84,142 @@

    How This API Document Is Organized

    • +

      Overview

      -

      The Overview page is the front page of this API document and provides a list of all packages with a summary for each. This page can also contain an overall description of the set of packages.

      +

      The Overview page is the front page of this API document and provides a list of all packages with a summary for each. This page can also contain an overall description of the set of packages.

      +
    • +

      Package

      -

      Each package has a page that contains a list of its classes and interfaces, with a summary for each. This page can contain six categories:

      +

      Each package has a page that contains a list of its classes and interfaces, with a summary for each. These pages may contain six categories:

        -
      • Interfaces (italic)
      • +
      • Interfaces
      • Classes
      • Enums
      • Exceptions
      • Errors
      • Annotation Types
      +
    • -

      Class/Interface

      +
      +

      Class or Interface

      Each class, interface, nested class and nested interface has its own separate page. Each of these pages has three sections consisting of a class/interface description, summary tables, and detailed member descriptions:

        -
      • Class inheritance diagram
      • +
      • Class Inheritance Diagram
      • Direct Subclasses
      • All Known Subinterfaces
      • All Known Implementing Classes
      • -
      • Class/interface declaration
      • -
      • Class/interface description
      • +
      • Class or Interface Declaration
      • +
      • Class or Interface Description
      +
      • Nested Class Summary
      • Field Summary
      • +
      • Property Summary
      • Constructor Summary
      • Method Summary
      +
      • Field Detail
      • +
      • Property Detail
      • Constructor Detail
      • Method Detail

      Each summary entry contains the first sentence from the detailed description for that item. The summary entries are alphabetical, while the detailed descriptions are in the order they appear in the source code. This preserves the logical groupings established by the programmer.

      +
    • +

      Annotation Type

      Each annotation type has its own separate page with the following sections:

        -
      • Annotation Type declaration
      • -
      • Annotation Type description
      • +
      • Annotation Type Declaration
      • +
      • Annotation Type Description
      • Required Element Summary
      • Optional Element Summary
      • Element Detail
      +
    • +

      Enum

      Each enum has its own separate page with the following sections:

        -
      • Enum declaration
      • -
      • Enum description
      • +
      • Enum Declaration
      • +
      • Enum Description
      • Enum Constant Summary
      • Enum Constant Detail
      +
    • +

      Use

      -

      Each documented package, class and interface has its own Use page. This page describes what packages, classes, methods, constructors and fields use any part of the given class or package. Given a class or interface A, its Use page includes subclasses of A, fields declared as A, methods that return A, and methods and constructors with parameters of type A. You can access this page by first going to the package, class or interface, then clicking on the "Use" link in the navigation bar.

      +

      Each documented package, class and interface has its own Use page. This page describes what packages, classes, methods, constructors and fields use any part of the given class or package. Given a class or interface A, its "Use" page includes subclasses of A, fields declared as A, methods that return A, and methods and constructors with parameters of type A. You can access this page by first going to the package, class or interface, then clicking on the "Use" link in the navigation bar.

      +
    • +

      Tree (Class Hierarchy)

      -

      There is a Class Hierarchy page for all packages, plus a hierarchy for each package. Each hierarchy page contains a list of classes and a list of interfaces. The classes are organized by inheritance structure starting with java.lang.Object. The interfaces do not inherit from java.lang.Object.

      +

      There is a Class Hierarchy page for all packages, plus a hierarchy for each package. Each hierarchy page contains a list of classes and a list of interfaces. Classes are organized by inheritance structure starting with java.lang.Object. Interfaces do not inherit from java.lang.Object.

      • When viewing the Overview page, clicking on "Tree" displays the hierarchy for all packages.
      • -
      • When viewing a particular package, class or interface page, clicking "Tree" displays the hierarchy for only that package.
      • +
      • When viewing a particular package, class or interface page, clicking on "Tree" displays the hierarchy for only that package.
      +
    • +

      Deprecated API

      The Deprecated API page lists all of the API that have been deprecated. A deprecated API is not recommended for use, generally due to improvements, and a replacement API is usually given. Deprecated APIs may be removed in future implementations.

      +
    • +

      Index

      -

      The Index contains an alphabetic list of all classes, interfaces, constructors, methods, and fields.

      -
    • -
    • -

      Prev/Next

      -

      These links take you to the next or previous class, interface, package, or related page.

      -
    • -
    • -

      Frames/No Frames

      -

      These links show and hide the HTML frames. All pages are available with or without frames.

      -
    • -
    • -

      All Classes

      -

      The All Classes link shows all classes and interfaces except non-static nested types.

      +

      The Index contains an alphabetic index of all classes, interfaces, constructors, methods, and fields, as well as lists of all packages and all classes.

      +
    • +

      Serialized Form

      Each serializable or externalizable class has a description of its serialization fields and methods. This information is of interest to re-implementors, not to developers using the API. While there is no link in the navigation bar, you can get to this information by going to any serialized class and clicking "Serialized Form" in the "See also" section of the class description.

      +
    • +

      Constant Field Values

      The Constant Field Values page lists the static final fields and their values.

      +
      +
    • +
    • +
      +

      Search

      +

      You can search for definitions of modules, packages, types, fields, methods and other terms defined in the API, using some or all of the name. "Camel-case" abbreviations are supported: for example, "InpStr" will find "InputStream" and "InputStreamReader".

      +
    -This help file applies to API documentation generated using the standard doclet.
    +
    +This help file applies to API documentation generated by the standard doclet.
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/index-all.html b/docs/apidocs/index-all.html index 0747f614..73059770 100644 --- a/docs/apidocs/index-all.html +++ b/docs/apidocs/index-all.html @@ -1,38 +1,52 @@ - + - + +Index (rmlmapper 4.6.0 API) -Index (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +
    +
    A B C D E F G H I J L M N O P Q R S T U V W X 
    All Classes All Packages

    A

    AbstractSingleRecordFunctionExecutor - Class in be.ugent.rml.functions
     
    -
    AbstractSingleRecordFunctionExecutor() - Constructor for class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor
    +
    AbstractSingleRecordFunctionExecutor() - Constructor for class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor
     
    AbstractTerm - Class in be.ugent.rml.term
     
    -
    AbstractTerm(String) - Constructor for class be.ugent.rml.term.AbstractTerm
    +
    AbstractTerm(String) - Constructor for class be.ugent.rml.term.AbstractTerm
     
    Access - Interface in be.ugent.rml.access
    @@ -91,26 +98,36 @@

    A

    This class creates Access instances.
    -
    AccessFactory(String) - Constructor for class be.ugent.rml.access.AccessFactory
    +
    AccessFactory(String) - Constructor for class be.ugent.rml.access.AccessFactory
    The constructor of the AccessFactory.
    -
    addElement(TemplateElement) - Method in class be.ugent.rml.Template
    -
     
    -
    addJoinCondition(MultipleRecordsFunctionExecutor) - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    addElement(TemplateElement) - Method in class be.ugent.rml.Template
     
    -
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    addJoinCondition(MultipleRecordsFunctionExecutor) - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    -
     
    -
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
    -
     
    -
    addQuads(List<Quad>) - Method in class be.ugent.rml.store.QuadStore
    +
    addQuad(Quad) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    addQuad(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Add given Quad to store
    +
    +
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    addTriple(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    addQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    +
    addQuads(List<Quad>) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Add all quads in given list
    +
    - +

    B

    @@ -121,6 +138,8 @@

    B

     
    be.ugent.rml.cli - package be.ugent.rml.cli
     
    +
    be.ugent.rml.conformer - package be.ugent.rml.conformer
    +
     
    be.ugent.rml.extractor - package be.ugent.rml.extractor
     
    be.ugent.rml.functions - package be.ugent.rml.functions
    @@ -139,44 +158,83 @@

    B

     
    BlankNode - Class in be.ugent.rml.term
     
    -
    BlankNode(String) - Constructor for class be.ugent.rml.term.BlankNode
    +
    BlankNode() - Constructor for class be.ugent.rml.term.BlankNode
     
    -
    BlankNode() - Constructor for class be.ugent.rml.term.BlankNode
    +
    BlankNode(String) - Constructor for class be.ugent.rml.term.BlankNode
     
    BlankNodeGenerator - Class in be.ugent.rml.termgenerator
     
    -
    BlankNodeGenerator() - Constructor for class be.ugent.rml.termgenerator.BlankNodeGenerator
    +
    BlankNodeGenerator() - Constructor for class be.ugent.rml.termgenerator.BlankNodeGenerator
     
    -
    BlankNodeGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.BlankNodeGenerator
    +
    BlankNodeGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.BlankNodeGenerator
     
    - +

    C

    -
    compareTo(Quad) - Method in class be.ugent.rml.store.Quad
    +
    compareTo(Quad) - Method in class be.ugent.rml.store.Quad
     
    ConcatFunction - Class in be.ugent.rml.functions
     
    -
    ConcatFunction(List<Extractor>, boolean) - Constructor for class be.ugent.rml.functions.ConcatFunction
    +
    ConcatFunction(List<Extractor>) - Constructor for class be.ugent.rml.functions.ConcatFunction
     
    -
    ConcatFunction(List<Extractor>) - Constructor for class be.ugent.rml.functions.ConcatFunction
    +
    ConcatFunction(List<Extractor>, boolean) - Constructor for class be.ugent.rml.functions.ConcatFunction
    +
     
    +
    conform() - Method in class be.ugent.rml.conformer.MappingConformer
    +
    +
    This method makes the QuadStore conformant to the RML spec.
    +
    +
    CONSTANT - be.ugent.rml.TEMPLATETYPE
     
    ConstantExtractor - Class in be.ugent.rml.extractor
     
    -
    ConstantExtractor(String) - Constructor for class be.ugent.rml.extractor.ConstantExtractor
    +
    ConstantExtractor(String) - Constructor for class be.ugent.rml.extractor.ConstantExtractor
    +
     
    +
    contains(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    contains(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    True if Quad matching input is present in store.
    +
    +
    contains(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    +
     
    +
    contains(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    countVariables() - Method in class be.ugent.rml.Template
    +
    convert(Term, Map<String, String>) - Method in class be.ugent.rml.conformer.R2RMLConverter
    +
    +
    Tries to convert R2RML TriplesMap to rml by: + - renaming logicalTable -> logicalSource + - adding referenceFormulation: CSV + - adding sqlVersion: SQL2008 + - renaming rr:sqlQuery -> rml:query + - renaming all rr:column properties to rml:reference + - removing all rr:logicalTable nodes, leaving rml:logicalSource to take their place + - moving rest over from logicalTable to logicalSource
    +
    +
    copyNameSpaces(QuadStore) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Copy namespaces between stores.
    +
    +
    copyNameSpaces(QuadStore) - Method in class be.ugent.rml.store.RDF4JStore
    +
     
    +
    copyNameSpaces(QuadStore) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    createMapping(Term, QuadStore) - Method in class be.ugent.rml.MappingFactory
    +
    countVariables() - Method in class be.ugent.rml.Template
     
    -
    createMetadata(Term, Term, Term, QuadStore, List<Term>, String, String, String[]) - Static method in class be.ugent.rml.metadata.DatasetLevelMetadataGenerator
    +
    createMapping(Term, QuadStore) - Method in class be.ugent.rml.MappingFactory
     
    -
    createRecords(Term, QuadStore) - Method in class be.ugent.rml.records.RecordsFactory
    +
    createMetadata(Term, Term, Term, QuadStore, List<Term>, String, String, String[]) - Static method in class be.ugent.rml.metadata.DatasetLevelMetadataGenerator
    +
     
    +
    createRecords(Term, QuadStore) - Method in class be.ugent.rml.records.RecordsFactory
    This method creates and returns records for a given Triples Map and set of RML rules.
    +
    CSV - be.ugent.rml.records.SPARQLResultFormat
    +
     
    CSVRecord - Class in be.ugent.rml.records
    This class is a specific implementation of a record for CSV.
    @@ -185,545 +243,587 @@

    C

    This class is a record factory that creates CSV records.
    -
    CSVRecordFactory() - Constructor for class be.ugent.rml.records.CSVRecordFactory
    +
    CSVRecordFactory() - Constructor for class be.ugent.rml.records.CSVRecordFactory
     
    CSVW - Static variable in class be.ugent.rml.NAMESPACES
     
    - +

    D

    D2RQ - Static variable in class be.ugent.rml.NAMESPACES
     
    -
    DatabaseType - Class in be.ugent.rml
    -
     
    -
    DatabaseType() - Constructor for class be.ugent.rml.DatabaseType
    +
    DatabaseType - Enum in be.ugent.rml.access
     
    -
    DatabaseType.Database - Enum in be.ugent.rml
    +
    DATASET - be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
     
    DatasetLevelMetadataGenerator - Class in be.ugent.rml.metadata
    Unique class -- reusable outside of the mapper
    -
    DatasetLevelMetadataGenerator() - Constructor for class be.ugent.rml.metadata.DatasetLevelMetadataGenerator
    +
    DatasetLevelMetadataGenerator() - Constructor for class be.ugent.rml.metadata.DatasetLevelMetadataGenerator
     
    -
    DB2 - Static variable in class be.ugent.rml.DatabaseType
    +
    DB2 - be.ugent.rml.access.DatabaseType
     
    -
    dbpediaSpotlight(String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    dbpediaSpotlight(String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    -
    decide(String, String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    decide(String, String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    +
    detect(Term) - Method in class be.ugent.rml.conformer.R2RMLConverter
    +
    +
    TriplesMap is R2RML if RR:logicalTable property is found
    +
    DynamicMultipleRecordsFunctionExecutor - Class in be.ugent.rml.functions
     
    -
    DynamicMultipleRecordsFunctionExecutor(List<ParameterValueOriginPair>, FunctionLoader) - Constructor for class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor
    +
    DynamicMultipleRecordsFunctionExecutor(List<ParameterValueOriginPair>, FunctionLoader) - Constructor for class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor
     
    DynamicSingleRecordFunctionExecutor - Class in be.ugent.rml.functions
     
    -
    DynamicSingleRecordFunctionExecutor(List<ParameterValuePair>, FunctionLoader) - Constructor for class be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor
    +
    DynamicSingleRecordFunctionExecutor(List<ParameterValuePair>, FunctionLoader) - Constructor for class be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor
     
    - +

    E

    -
    encodeURI(String) - Static method in class be.ugent.rml.Utils
    +
    encodeURI(String) - Static method in class be.ugent.rml.Utils
     
    -
    equal(String, String) - Static method in class be.ugent.rml.functions.lib.UtilFunctions
    +
    equal(String, String) - Static method in class be.ugent.rml.functions.lib.UtilFunctions
     
    -
    equals(Object) - Method in class be.ugent.rml.access.LocalFileAccess
    +
    equals(Object) - Method in class be.ugent.rml.access.LocalFileAccess
     
    -
    equals(Object) - Method in class be.ugent.rml.access.RDBAccess
    +
    equals(Object) - Method in class be.ugent.rml.access.RDBAccess
     
    -
    equals(Object) - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    equals(Object) - Method in class be.ugent.rml.access.RemoteFileAccess
     
    -
    equals(Object) - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    equals(Object) - Method in class be.ugent.rml.access.SPARQLEndpointAccess
     
    -
    equals(Object) - Method in class be.ugent.rml.store.RDF4JStore
    +
    equals(Object) - Method in class be.ugent.rml.store.QuadStore
     
    -
    equals(Object) - Method in class be.ugent.rml.term.BlankNode
    +
    equals(Object) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    equals(Object) - Method in class be.ugent.rml.term.Literal
    +
    equals(Object) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    equals(Object) - Method in class be.ugent.rml.term.NamedNode
    +
    equals(Object) - Method in class be.ugent.rml.term.BlankNode
     
    -
    escape(String, String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
    +
    equals(Object) - Method in class be.ugent.rml.term.Literal
     
    -
    escape(String, String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    equals(Object) - Method in class be.ugent.rml.term.NamedNode
     
    -
    execute(List<Term>, boolean, MetadataGenerator) - Method in class be.ugent.rml.Executor
    +
    escape(String, String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
     
    -
    execute(List<Term>) - Method in class be.ugent.rml.Executor
    +
    escape(String, String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    execute(Record) - Method in class be.ugent.rml.extractor.ConstantExtractor
    +
    execute(Record) - Method in class be.ugent.rml.extractor.ConstantExtractor
     
    -
    execute(Record) - Method in class be.ugent.rml.extractor.ReferenceExtractor
    +
    execute(Record) - Method in class be.ugent.rml.extractor.ReferenceExtractor
     
    -
    execute(Record) - Method in class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor
    +
    execute(Record) - Method in class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor
     
    -
    execute(Record) - Method in class be.ugent.rml.functions.ConcatFunction
    +
    execute(Record) - Method in class be.ugent.rml.functions.ConcatFunction
     
    -
    execute(Map<String, Record>) - Method in class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor
    +
    execute(Record) - Method in interface be.ugent.rml.functions.SingleRecordFunctionExecutor
     
    -
    execute(Map<String, Object>) - Method in class be.ugent.rml.functions.FunctionModel
    +
    execute(List<Term>) - Method in class be.ugent.rml.Executor
     
    -
    execute(Map<String, Record>) - Method in interface be.ugent.rml.functions.MultipleRecordsFunctionExecutor
    +
    execute(List<Term>, boolean, MetadataGenerator) - Method in class be.ugent.rml.Executor
     
    -
    execute(Record) - Method in interface be.ugent.rml.functions.SingleRecordFunctionExecutor
    +
    execute(Map<String, Record>) - Method in class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor
     
    -
    execute(Map<String, Record>) - Method in class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor
    +
    execute(Map<String, Record>) - Method in interface be.ugent.rml.functions.MultipleRecordsFunctionExecutor
     
    -
    executeWithFunction(List<Term>, boolean, BiConsumer<ProvenancedTerm, PredicateObjectGraph>) - Method in class be.ugent.rml.Executor
    +
    execute(Map<String, Record>) - Method in class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor
    +
     
    +
    execute(Map<String, Object>) - Method in class be.ugent.rml.functions.FunctionModel
    +
     
    +
    executeWithFunction(List<Term>, boolean, BiConsumer<ProvenancedTerm, PredicateObjectGraph>) - Method in class be.ugent.rml.Executor
     
    Executor - Class in be.ugent.rml
     
    -
    Executor(QuadStore, RecordsFactory, String) - Constructor for class be.ugent.rml.Executor
    +
    Executor(QuadStore, RecordsFactory, FunctionLoader, QuadStore, String) - Constructor for class be.ugent.rml.Executor
     
    -
    Executor(QuadStore, RecordsFactory, FunctionLoader, String) - Constructor for class be.ugent.rml.Executor
    +
    Executor(QuadStore, RecordsFactory, FunctionLoader, String) - Constructor for class be.ugent.rml.Executor
     
    -
    Executor(QuadStore, RecordsFactory, FunctionLoader, QuadStore, String) - Constructor for class be.ugent.rml.Executor
    +
    Executor(QuadStore, RecordsFactory, String) - Constructor for class be.ugent.rml.Executor
     
    -
    extract(Record) - Method in class be.ugent.rml.extractor.ConstantExtractor
    +
    extract(Record) - Method in class be.ugent.rml.extractor.ConstantExtractor
     
    -
    extract(Record) - Method in interface be.ugent.rml.extractor.Extractor
    +
    extract(Record) - Method in interface be.ugent.rml.extractor.Extractor
     
    -
    extract(Record) - Method in class be.ugent.rml.extractor.ReferenceExtractor
    +
    extract(Record) - Method in class be.ugent.rml.extractor.ReferenceExtractor
     
    Extractor - Interface in be.ugent.rml.extractor
     
    - +

    F

    -
    fileToString(File) - Static method in class be.ugent.rml.Utils
    +
    fileToString(File) - Static method in class be.ugent.rml.Utils
     
    FNML - Static variable in class be.ugent.rml.NAMESPACES
     
    FNO - Static variable in class be.ugent.rml.NAMESPACES
     
    +
    FNO_S - Static variable in class be.ugent.rml.NAMESPACES
    +
     
    FunctionLoader - Class in be.ugent.rml.functions
     
    -
    FunctionLoader() - Constructor for class be.ugent.rml.functions.FunctionLoader
    +
    FunctionLoader() - Constructor for class be.ugent.rml.functions.FunctionLoader
     
    -
    FunctionLoader(File) - Constructor for class be.ugent.rml.functions.FunctionLoader
    +
    FunctionLoader(File) - Constructor for class be.ugent.rml.functions.FunctionLoader
     
    -
    FunctionLoader(File, QuadStore, Map<String, Class>) - Constructor for class be.ugent.rml.functions.FunctionLoader
    +
    FunctionLoader(File, QuadStore, Map<String, Class>) - Constructor for class be.ugent.rml.functions.FunctionLoader
     
    FunctionModel - Class in be.ugent.rml.functions
    Function Model
    -
    FunctionModel(Term, Method, List<Term>, List<Term>) - Constructor for class be.ugent.rml.functions.FunctionModel
    +
    FunctionModel(Term, Method, List<Term>, List<Term>) - Constructor for class be.ugent.rml.functions.FunctionModel
     
    -
    functionObjectToList(Object, List<String>) - Static method in class be.ugent.rml.functions.FunctionUtils
    +
    functionObjectToList(Object, List<String>) - Static method in class be.ugent.rml.functions.FunctionUtils
     
    -
    functionRequire(File, String) - Static method in class be.ugent.rml.functions.FunctionUtils
    +
    functionRequire(File, String) - Static method in class be.ugent.rml.functions.FunctionUtils
     
    FunctionUtils - Class in be.ugent.rml.functions
     
    -
    FunctionUtils() - Constructor for class be.ugent.rml.functions.FunctionUtils
    +
    FunctionUtils() - Constructor for class be.ugent.rml.functions.FunctionUtils
     
    - +

    G

    -
    generate(QuadStore, Term, boolean) - Static method in class be.ugent.rml.RecordFunctionExecutorFactory
    +
    generate(Record) - Method in class be.ugent.rml.termgenerator.BlankNodeGenerator
     
    -
    generate(Record) - Method in class be.ugent.rml.termgenerator.BlankNodeGenerator
    +
    generate(Record) - Method in class be.ugent.rml.termgenerator.LiteralGenerator
     
    -
    generate(Record) - Method in class be.ugent.rml.termgenerator.LiteralGenerator
    +
    generate(Record) - Method in class be.ugent.rml.termgenerator.NamedNodeGenerator
     
    -
    generate(Record) - Method in class be.ugent.rml.termgenerator.NamedNodeGenerator
    +
    generate(Record) - Method in class be.ugent.rml.termgenerator.TermGenerator
     
    -
    generate(Record) - Method in class be.ugent.rml.termgenerator.TermGenerator
    +
    generate(QuadStore, Term, boolean) - Static method in class be.ugent.rml.RecordFunctionExecutorFactory
     
    -
    generateA() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    generateA() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    get(String) - Method in class be.ugent.rml.records.CSVRecord
    +
    get(String) - Method in class be.ugent.rml.records.CSVRecord
    This method returns the objects for a column in the CSV record (= CSV row).
    -
    get(String) - Method in class be.ugent.rml.records.JSONRecord
    +
    get(String) - Method in class be.ugent.rml.records.JSONRecord
    This method returns the objects for a reference (JSONPath) in the record.
    -
    get(String) - Method in class be.ugent.rml.records.Record
    +
    get(String) - Method in class be.ugent.rml.records.Record
    This method returns the objects for a reference in the record.
    -
    get(String) - Method in class be.ugent.rml.records.XMLRecord
    +
    get(String) - Method in class be.ugent.rml.records.XMLRecord
    This method returns the objects for a reference (XPath) in the record.
    -
    getAccess(Term, QuadStore) - Method in class be.ugent.rml.access.AccessFactory
    +
    getAccess(Term, QuadStore) - Method in class be.ugent.rml.access.AccessFactory
    This method returns an Access instance based on the RML rules in rmlStore.
    -
    getBaseDirectiveTurtle(File) - Static method in class be.ugent.rml.Utils
    +
    getBaseDirectiveTurtle(File) - Static method in class be.ugent.rml.Utils
     
    -
    getBaseDirectiveTurtle(InputStream) - Static method in class be.ugent.rml.Utils
    +
    getBaseDirectiveTurtle(InputStream) - Static method in class be.ugent.rml.Utils
     
    -
    getBaseDirectiveTurtle(String) - Static method in class be.ugent.rml.Utils
    +
    getBaseDirectiveTurtle(String) - Static method in class be.ugent.rml.Utils
     
    -
    getBasePath() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    getBasePath() - Method in class be.ugent.rml.access.LocalFileAccess
    This method returns the base path of the access.
    -
    getContentType() - Method in class be.ugent.rml.access.RDBAccess
    +
    getContentType() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the content type.
    -
    getContentType() - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    getContentType() - Method in class be.ugent.rml.access.RemoteFileAccess
    This method returns the content type of the remote file.
    -
    getContentType() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    getContentType() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    This method returns the content type of the results.
    -
    getContentType() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    getContentType() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    This method returns the content type of the format.
    -
    getDatabase() - Method in class be.ugent.rml.access.RDBAccess
    +
    getDatabaseType() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the database type.
    -
    getDataType(String) - Method in class be.ugent.rml.records.CSVRecord
    +
    getDatatype() - Method in class be.ugent.rml.term.Literal
    +
     
    +
    getDataType(String) - Method in class be.ugent.rml.records.CSVRecord
    This method returns the datatype of a reference in the record.
    -
    getDataType(String) - Method in class be.ugent.rml.records.Record
    +
    getDataType(String) - Method in class be.ugent.rml.records.Record
    This method returns the datatype of a reference in the record.
    -
    getDatatype() - Method in class be.ugent.rml.term.Literal
    -
     
    -
    getDataTypes() - Method in interface be.ugent.rml.access.Access
    +
    getDataTypes() - Method in interface be.ugent.rml.access.Access
    This method returns a map of datatypes.
    -
    getDataTypes() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    getDataTypes() - Method in class be.ugent.rml.access.LocalFileAccess
    This methods returns the datatypes of the file.
    -
    getDataTypes() - Method in class be.ugent.rml.access.RDBAccess
    +
    getDataTypes() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the datatypes used for the columns in the accessed database.
    -
    getDataTypes() - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    getDataTypes() - Method in class be.ugent.rml.access.RemoteFileAccess
    This methods returns the datatypes of the file.
    -
    getDataTypes() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    getDataTypes() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    This methods returns the datatypes of the results of the SPARQL query.
    -
    getDBtype(String) - Static method in class be.ugent.rml.DatabaseType
    +
    getDBtype(String) - Static method in enum be.ugent.rml.access.DatabaseType
    +
     
    +
    getDetailLevel() - Method in class be.ugent.rml.metadata.MetadataGenerator
     
    -
    getDetailLevel() - Method in class be.ugent.rml.metadata.MetadataGenerator
    +
    getDriver() - Method in enum be.ugent.rml.access.DatabaseType
     
    -
    getDriver(DatabaseType.Database) - Static method in class be.ugent.rml.DatabaseType
    +
    getDriverSubstring() - Method in enum be.ugent.rml.access.DatabaseType
     
    -
    getDSN() - Method in class be.ugent.rml.access.RDBAccess
    +
    getDSN() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the DNS.
    -
    getEndpoint() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    getEndpoint() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    This method returns the url of the endpoint.
    -
    getFile(String) - Static method in class be.ugent.rml.Utils
    +
    getFile(String) - Static method in class be.ugent.rml.Utils
     
    -
    getFile(String, File) - Static method in class be.ugent.rml.Utils
    +
    getFile(String, File) - Static method in class be.ugent.rml.Utils
     
    -
    getFreePortNumber() - Static method in class be.ugent.rml.Utils
    +
    getFreePortNumber() - Static method in class be.ugent.rml.Utils
     
    -
    getFunction(Term) - Method in class be.ugent.rml.functions.FunctionLoader
    +
    getFunction(Term) - Method in class be.ugent.rml.functions.FunctionLoader
     
    -
    getFunctionLoader() - Method in class be.ugent.rml.Executor
    +
    getFunctionLoader() - Method in class be.ugent.rml.Executor
     
    -
    getFunctionLoader() - Method in class be.ugent.rml.Initializer
    +
    getFunctionLoader() - Method in class be.ugent.rml.Initializer
     
    -
    getFunctionParameterUris(QuadStore, List<Term>) - Static method in class be.ugent.rml.functions.FunctionUtils
    +
    getFunctionParameterUris(QuadStore, List<Term>) - Static method in class be.ugent.rml.functions.FunctionUtils
     
    -
    getGraph() - Method in class be.ugent.rml.PredicateObjectGraph
    +
    getGraph() - Method in class be.ugent.rml.PredicateObjectGraph
     
    -
    getGraph() - Method in class be.ugent.rml.store.Quad
    +
    getGraph() - Method in class be.ugent.rml.store.Quad
     
    -
    getGraph() - Method in class be.ugent.rml.term.ProvenancedQuad
    +
    getGraph() - Method in class be.ugent.rml.term.ProvenancedQuad
     
    -
    getGraphMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    getGraphMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    getGraphMappingInfos() - Method in class be.ugent.rml.Mapping
    +
    getGraphMappingInfos() - Method in class be.ugent.rml.Mapping
     
    -
    getHash(String) - Static method in class be.ugent.rml.Utils
    +
    getHash(String) - Static method in class be.ugent.rml.Utils
     
    -
    getHashOfString(String) - Static method in class be.ugent.rml.Utils
    +
    getHashOfString(String) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStream() - Method in interface be.ugent.rml.access.Access
    +
    getInputStream() - Method in interface be.ugent.rml.access.Access
    This method returns an InputStream for the access.
    -
    getInputStream() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    getInputStream() - Method in class be.ugent.rml.access.LocalFileAccess
    This method returns the InputStream of the local file.
    -
    getInputStream() - Method in class be.ugent.rml.access.RDBAccess
    +
    getInputStream() - Method in class be.ugent.rml.access.RDBAccess
    This method returns an InputStream of the results of the SQL query.
    -
    getInputStream() - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    getInputStream() - Method in class be.ugent.rml.access.RemoteFileAccess
     
    -
    getInputStream() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    getInputStream() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    This method returns an InputStream of the results of the SPARQL endpoint.
    -
    getInputStreamFromFile(File) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromFile(File) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStreamFromLocation(String) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromLocation(String) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStreamFromLocation(String, File, String) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromLocation(String, File, String) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStreamFromMOptionValue(String) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromMOptionValue(String) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStreamFromURL(URL) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromURL(URL) - Static method in class be.ugent.rml.Utils
     
    -
    getInputStreamFromURL(URL, String) - Static method in class be.ugent.rml.Utils
    +
    getInputStreamFromURL(URL, String) - Static method in class be.ugent.rml.Utils
     
    -
    getJoinConditions() - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    getJDBCPrefix() - Method in enum be.ugent.rml.access.DatabaseType
     
    -
    getLanguage() - Method in class be.ugent.rml.term.Literal
    +
    getJoinConditions() - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    getLevel() - Method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    +
    getLanguage() - Method in class be.ugent.rml.term.Literal
     
    -
    getLibraryPath(String) - Method in class be.ugent.rml.functions.FunctionLoader
    +
    getLevel() - Method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
     
    -
    getList(QuadStore, Term) - Static method in class be.ugent.rml.Utils
    +
    getLibraryPath(String) - Method in class be.ugent.rml.functions.FunctionLoader
     
    -
    getList(QuadStore, Term, List<Term>) - Static method in class be.ugent.rml.Utils
    +
    getList(QuadStore, Term) - Static method in class be.ugent.rml.Utils
     
    -
    getLiteralObjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
    +
    getList(QuadStore, Term, List<Term>) - Static method in class be.ugent.rml.Utils
     
    -
    getLocation() - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    getLiteralObjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
    +
     
    +
    getLocation() - Method in class be.ugent.rml.access.RemoteFileAccess
    The method returns the location of the remote file.
    -
    getMappings() - Method in class be.ugent.rml.Initializer
    -
     
    -
    getMetadata() - Method in class be.ugent.rml.term.ProvenancedTerm
    -
     
    -
    getMIMEType(String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    getMappings() - Method in class be.ugent.rml.Initializer
     
    -
    getModel() - Method in class be.ugent.rml.store.RDF4JStore
    +
    getMetadata() - Method in class be.ugent.rml.term.ProvenancedTerm
     
    -
    getNamespaces() - Method in class be.ugent.rml.store.RDF4JStore
    +
    getMIMEType(String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    -
    getNewBlankNodeID() - Static method in class be.ugent.rml.Executor
    +
    getModel() - Method in class be.ugent.rml.store.RDF4JStore
    +
    +
    TODO remove all need for this.
    +
    +
    getNewBlankNodeID() - Static method in class be.ugent.rml.Executor
     
    -
    getNull() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    getNull() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    getObject() - Method in class be.ugent.rml.PredicateObjectGraph
    +
    getObject() - Method in class be.ugent.rml.PredicateObjectGraph
     
    -
    getObject() - Method in class be.ugent.rml.store.Quad
    +
    getObject() - Method in class be.ugent.rml.store.Quad
     
    -
    getObject() - Method in class be.ugent.rml.term.ProvenancedQuad
    +
    getObject() - Method in class be.ugent.rml.term.ProvenancedQuad
     
    -
    getObjectMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    getObjectMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    getObjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
    +
    getObjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
     
    -
    getOrigin() - Method in class be.ugent.rml.functions.TermGeneratorOriginPair
    +
    getOrigin() - Method in class be.ugent.rml.functions.TermGeneratorOriginPair
     
    -
    getParameterGenerators() - Method in class be.ugent.rml.functions.ParameterValueOriginPair
    +
    getParameterGenerators() - Method in class be.ugent.rml.functions.ParameterValueOriginPair
     
    -
    getParameterGenerators() - Method in class be.ugent.rml.functions.ParameterValuePair
    +
    getParameterGenerators() - Method in class be.ugent.rml.functions.ParameterValuePair
     
    -
    getParentTriplesMap() - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    getParentTriplesMap() - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    getPassword() - Method in class be.ugent.rml.access.RDBAccess
    +
    getPassword() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the password.
    -
    getPath() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    getPath() - Method in class be.ugent.rml.access.LocalFileAccess
    This method returns the path of the access.
    -
    getPath() - Method in class be.ugent.rml.ValuedJoinCondition
    +
    getPath() - Method in class be.ugent.rml.ValuedJoinCondition
     
    -
    getPredicate() - Method in class be.ugent.rml.PredicateObjectGraph
    +
    getPredicate() - Method in class be.ugent.rml.PredicateObjectGraph
     
    -
    getPredicate() - Method in class be.ugent.rml.store.Quad
    +
    getPredicate() - Method in class be.ugent.rml.store.Quad
     
    -
    getPredicate() - Method in class be.ugent.rml.term.ProvenancedQuad
    +
    getPredicate() - Method in class be.ugent.rml.term.ProvenancedQuad
     
    -
    getPredicateMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
    +
    getPredicateMappingInfo() - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    getPredicateObjectGraphMappings() - Method in class be.ugent.rml.Mapping
    +
    getPredicateObjectGraphMappings() - Method in class be.ugent.rml.Mapping
     
    -
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    getQuads(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    -
     
    -
    getQuads(Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    -
     
    -
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    getQuad(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    getQuad(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    getQuads(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Get all Quads in store matching arguments.
    +
    +
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    getQuads(Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    getQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    getQuery() - Method in class be.ugent.rml.access.RDBAccess
    +
    getQuery() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the SQL query.
    -
    getQuery() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    getQuery() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    This method returns the SPARQL query that is used to get the results.
    -
    getReaderFromFile(File) - Static method in class be.ugent.rml.Utils
    +
    getReaderFromFile(File) - Static method in class be.ugent.rml.Utils
     
    -
    getReaderFromLocation(String) - Static method in class be.ugent.rml.Utils
    +
    getReaderFromLocation(String) - Static method in class be.ugent.rml.Utils
     
    -
    getReaderFromLocation(String, File, String) - Static method in class be.ugent.rml.Utils
    +
    getReaderFromLocation(String, File, String) - Static method in class be.ugent.rml.Utils
     
    -
    getReaderFromURL(URL) - Static method in class be.ugent.rml.Utils
    +
    getReaderFromURL(URL) - Static method in class be.ugent.rml.Utils
     
    -
    getReaderFromURL(URL, String) - Static method in class be.ugent.rml.Utils
    +
    getReaderFromURL(URL, String) - Static method in class be.ugent.rml.Utils
     
    -
    getRecords(Access, Term, QuadStore) - Method in class be.ugent.rml.records.CSVRecordFactory
    +
    getRecords(Access, Term, QuadStore) - Method in class be.ugent.rml.records.CSVRecordFactory
    This method returns a list of CSV records for a data source.
    -
    getRecords(Access, Term, QuadStore) - Method in class be.ugent.rml.records.IteratorFormat
    +
    getRecords(Access, Term, QuadStore) - Method in class be.ugent.rml.records.IteratorFormat
    This method returns a list of records for a data source.
    -
    getRecords(Access, Term, QuadStore) - Method in interface be.ugent.rml.records.ReferenceFormulationRecordFactory
    +
    getRecords(Access, Term, QuadStore) - Method in interface be.ugent.rml.records.ReferenceFormulationRecordFactory
    This method returns a list of records for a data source.
    -
    getReferenceFormulations() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    getReferenceFormulations() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    This method returns the reference formulation of the format.
    -
    getResult() - Method in class be.ugent.rml.metadata.MetadataGenerator
    -
     
    -
    getSubject() - Method in class be.ugent.rml.store.Quad
    +
    getResult() - Method in class be.ugent.rml.metadata.MetadataGenerator
     
    -
    getSubject() - Method in class be.ugent.rml.term.ProvenancedQuad
    +
    getStore() - Method in class be.ugent.rml.conformer.MappingConformer
    +
    +
    Get a valid QuadStore
    +
    +
    getSubject() - Method in class be.ugent.rml.store.Quad
     
    -
    getSubjectMappingInfo() - Method in class be.ugent.rml.Mapping
    +
    getSubject() - Method in class be.ugent.rml.term.ProvenancedQuad
     
    -
    getSubjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
    +
    getSubjectMappingInfo() - Method in class be.ugent.rml.Mapping
     
    -
    getTemplateElements() - Method in class be.ugent.rml.Template
    +
    getSubjectsFromQuads(List<Quad>) - Static method in class be.ugent.rml.Utils
     
    -
    getTerm() - Method in class be.ugent.rml.MappingInfo
    +
    getTemplateElements() - Method in class be.ugent.rml.Template
     
    -
    getTerm() - Method in class be.ugent.rml.term.ProvenancedTerm
    +
    getTerm() - Method in class be.ugent.rml.MappingInfo
     
    -
    getTermGenerator() - Method in class be.ugent.rml.functions.TermGeneratorOriginPair
    +
    getTerm() - Method in class be.ugent.rml.term.ProvenancedTerm
     
    -
    getTermGenerator() - Method in class be.ugent.rml.MappingInfo
    +
    getTermGenerator() - Method in class be.ugent.rml.functions.TermGeneratorOriginPair
     
    -
    getTriplesMaps() - Method in class be.ugent.rml.Executor
    +
    getTermGenerator() - Method in class be.ugent.rml.MappingInfo
     
    -
    getTriplesMaps() - Method in class be.ugent.rml.Initializer
    +
    getTriplesMaps() - Method in class be.ugent.rml.Executor
     
    -
    getType() - Method in class be.ugent.rml.TemplateElement
    +
    getTriplesMaps() - Method in class be.ugent.rml.Initializer
     
    -
    getURI() - Method in class be.ugent.rml.functions.FunctionModel
    +
    getType() - Method in class be.ugent.rml.TemplateElement
     
    -
    getUri() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    getUri() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    This method returns the uri of the format.
    -
    getURLParamsString(Map<String, String>) - Static method in class be.ugent.rml.Utils
    +
    getURI() - Method in class be.ugent.rml.functions.FunctionModel
     
    -
    getUsername() - Method in class be.ugent.rml.access.RDBAccess
    +
    getURLParamsString(Map<String, String>) - Static method in class be.ugent.rml.Utils
    +
     
    +
    getUsername() - Method in class be.ugent.rml.access.RDBAccess
    This method returns the username.
    -
    getValue() - Method in class be.ugent.rml.TemplateElement
    +
    getValue() - Method in class be.ugent.rml.TemplateElement
     
    -
    getValue() - Method in class be.ugent.rml.term.AbstractTerm
    +
    getValue() - Method in class be.ugent.rml.term.AbstractTerm
     
    -
    getValue() - Method in interface be.ugent.rml.term.Term
    +
    getValue() - Method in interface be.ugent.rml.term.Term
     
    -
    getValueGeneratorPairs() - Method in class be.ugent.rml.functions.ParameterValueOriginPair
    +
    getValueGeneratorPairs() - Method in class be.ugent.rml.functions.ParameterValueOriginPair
     
    -
    getValueGenerators() - Method in class be.ugent.rml.functions.ParameterValuePair
    +
    getValueGenerators() - Method in class be.ugent.rml.functions.ParameterValuePair
     
    -
    getValues() - Method in class be.ugent.rml.ValuedJoinCondition
    +
    getValues() - Method in class be.ugent.rml.ValuedJoinCondition
     
    GrelProcessor - Class in be.ugent.rml.functions.lib
     
    -
    GrelProcessor() - Constructor for class be.ugent.rml.functions.lib.GrelProcessor
    +
    GrelProcessor() - Constructor for class be.ugent.rml.functions.lib.GrelProcessor
     
    GrelTestProcessor - Class in be.ugent.rml.functions.lib
     
    -
    GrelTestProcessor() - Constructor for class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    GrelTestProcessor() - Constructor for class be.ugent.rml.functions.lib.GrelTestProcessor
     
    - +

    H

    -
    hashCode() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    hashCode() - Method in class be.ugent.rml.access.LocalFileAccess
     
    -
    hashCode() - Method in class be.ugent.rml.access.RDBAccess
    +
    hashCode() - Method in class be.ugent.rml.access.RDBAccess
     
    -
    hashCode() - Method in class be.ugent.rml.access.RemoteFileAccess
    +
    hashCode() - Method in class be.ugent.rml.access.RemoteFileAccess
     
    -
    hashCode() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
    +
    hashCode() - Method in class be.ugent.rml.access.SPARQLEndpointAccess
     
    -
    hashCode() - Method in class be.ugent.rml.term.AbstractTerm
    +
    hashCode() - Method in class be.ugent.rml.term.AbstractTerm
     
    -
    hashCode(String) - Static method in class be.ugent.rml.Utils
    +
    hashCode(String) - Static method in class be.ugent.rml.Utils
     
    - +

    I

    IDLabFunctions - Class in be.ugent.rml.functions.lib
     
    -
    IDLabFunctions() - Constructor for class be.ugent.rml.functions.lib.IDLabFunctions
    +
    IDLabFunctions() - Constructor for class be.ugent.rml.functions.lib.IDLabFunctions
     
    Initializer - Class in be.ugent.rml
     
    -
    Initializer(QuadStore, FunctionLoader) - Constructor for class be.ugent.rml.Initializer
    +
    Initializer(QuadStore, FunctionLoader) - Constructor for class be.ugent.rml.Initializer
     
    -
    insertQuad(ProvenancedQuad) - Method in class be.ugent.rml.metadata.MetadataGenerator
    +
    insertQuad(ProvenancedQuad) - Method in class be.ugent.rml.metadata.MetadataGenerator
    Gets called every time a quad is generated.
    -
    isEmpty() - Method in class be.ugent.rml.store.QuadStore
    +
    isEmpty() - Method in class be.ugent.rml.store.QuadStore
    +
    +
    True if RDF quads present is 0
    +
    +
    isEmpty() - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    isEmpty() - Method in class be.ugent.rml.store.RDF4JStore
    +
    isEmpty() - Method in class be.ugent.rml.store.SimpleQuadStore
    +
     
    +
    isIsomorphic(QuadStore) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Test if given store and this store are isomorphic RDF graph representations
    +
    +
    isIsomorphic(QuadStore) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    isEmpty() - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    isIsomorphic(QuadStore) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    isRelativeIRI(String) - Static method in class be.ugent.rml.Utils
    +
    isRelativeIRI(String) - Static method in class be.ugent.rml.Utils
    This method returns true if a string is a relative IRI.
    -
    isRemoteFile(String) - Static method in class be.ugent.rml.Utils
    +
    isRemoteFile(String) - Static method in class be.ugent.rml.Utils
    +
     
    +
    isSubset(QuadStore) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Test if given store is subset of this store
    +
    +
    isSubset(QuadStore) - Method in class be.ugent.rml.store.RDF4JStore
    +
     
    +
    isSubset(QuadStore) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    isValidIRI(String) - Static method in class be.ugent.rml.Utils
    +
    isValidIRI(String) - Static method in class be.ugent.rml.Utils
    This method returns true if a string is valid IRI.
    -
    isValidrrLanguage(String) - Static method in class be.ugent.rml.Utils
    +
    isValidrrLanguage(String) - Static method in class be.ugent.rml.Utils
    Check if conforming to https://tools.ietf.org/html/bcp47#section-2.2.9
    @@ -731,169 +831,191 @@

    I

    This an abstract class for reference formulation-specific record factories that use iterators.
    -
    IteratorFormat() - Constructor for class be.ugent.rml.records.IteratorFormat
    +
    IteratorFormat() - Constructor for class be.ugent.rml.records.IteratorFormat
     
    - +

    J

    +
    JSON - be.ugent.rml.records.SPARQLResultFormat
    +
     
    JSONRecord - Class in be.ugent.rml.records
    This class is a specific implementation of a record for JSON.
    -
    JSONRecord(Object, String) - Constructor for class be.ugent.rml.records.JSONRecord
    +
    JSONRecord(Object, String) - Constructor for class be.ugent.rml.records.JSONRecord
     
    JSONRecordFactory - Class in be.ugent.rml.records
    This class is a record factory that creates JSON records.
    -
    JSONRecordFactory() - Constructor for class be.ugent.rml.records.JSONRecordFactory
    +
    JSONRecordFactory() - Constructor for class be.ugent.rml.records.JSONRecordFactory
     
    - +

    L

    -
    listContainsElement(List, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    listContainsElement(List, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    Literal - Class in be.ugent.rml.term
     
    -
    Literal(String) - Constructor for class be.ugent.rml.term.Literal
    +
    Literal(String) - Constructor for class be.ugent.rml.term.Literal
     
    -
    Literal(String, String) - Constructor for class be.ugent.rml.term.Literal
    +
    Literal(String, Term) - Constructor for class be.ugent.rml.term.Literal
     
    -
    Literal(String, Term) - Constructor for class be.ugent.rml.term.Literal
    +
    Literal(String, String) - Constructor for class be.ugent.rml.term.Literal
     
    LiteralGenerator - Class in be.ugent.rml.termgenerator
     
    -
    LiteralGenerator(SingleRecordFunctionExecutor, String) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
    +
    LiteralGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
     
    -
    LiteralGenerator(SingleRecordFunctionExecutor, SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
    +
    LiteralGenerator(SingleRecordFunctionExecutor, SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
     
    -
    LiteralGenerator(SingleRecordFunctionExecutor, Term) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
    +
    LiteralGenerator(SingleRecordFunctionExecutor, Term) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
     
    -
    LiteralGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
    +
    LiteralGenerator(SingleRecordFunctionExecutor, String) - Constructor for class be.ugent.rml.termgenerator.LiteralGenerator
     
    LocalFileAccess - Class in be.ugent.rml.access
    This class represents access to a local file.
    -
    LocalFileAccess(String, String) - Constructor for class be.ugent.rml.access.LocalFileAccess
    +
    LocalFileAccess(String, String) - Constructor for class be.ugent.rml.access.LocalFileAccess
    This constructor takes the path and the base path of a file.
    - +

    M

    -
    Main - Class in be.ugent.rml.cli
    -
     
    -
    Main() - Constructor for class be.ugent.rml.cli.Main
    +
    main(String[]) - Static method in class be.ugent.rml.cli.Main
     
    -
    main(String[]) - Static method in class be.ugent.rml.cli.Main
    -
     
    -
    main(String[], String) - Static method in class be.ugent.rml.cli.Main
    +
    main(String[], String) - Static method in class be.ugent.rml.cli.Main
    Main method use for the CLI.
    +
    Main - Class in be.ugent.rml.cli
    +
     
    +
    Main() - Constructor for class be.ugent.rml.cli.Main
    +
     
    Mapping - Class in be.ugent.rml
     
    -
    Mapping(MappingInfo, List<PredicateObjectGraphMapping>, List<MappingInfo>) - Constructor for class be.ugent.rml.Mapping
    +
    Mapping(MappingInfo, List<PredicateObjectGraphMapping>, List<MappingInfo>) - Constructor for class be.ugent.rml.Mapping
     
    +
    MappingConformer - Class in be.ugent.rml.conformer
    +
    +
    Only validates by checking for at least one TriplesMap.
    +
    +
    MappingConformer(QuadStore) - Constructor for class be.ugent.rml.conformer.MappingConformer
    +
    +
    Create MappingConformer from InputStream of mapping file in RDF.
    +
    +
    MappingConformer(QuadStore, Map<String, String>) - Constructor for class be.ugent.rml.conformer.MappingConformer
    +
    +
    Create MappingConformer from InputStream of mapping file in RDF.
    +
    MappingFactory - Class in be.ugent.rml
     
    -
    MappingFactory(FunctionLoader) - Constructor for class be.ugent.rml.MappingFactory
    +
    MappingFactory(FunctionLoader) - Constructor for class be.ugent.rml.MappingFactory
     
    MappingInfo - Class in be.ugent.rml
     
    -
    MappingInfo(Term, TermGenerator) - Constructor for class be.ugent.rml.MappingInfo
    +
    MappingInfo(Term, TermGenerator) - Constructor for class be.ugent.rml.MappingInfo
     
    Metadata - Class in be.ugent.rml.metadata
    Holds the source triplesMap and Subject-, Object- or PredicateMap for a specific (provenanced) term.
    -
    Metadata() - Constructor for class be.ugent.rml.metadata.Metadata
    +
    Metadata() - Constructor for class be.ugent.rml.metadata.Metadata
     
    -
    Metadata(Term) - Constructor for class be.ugent.rml.metadata.Metadata
    +
    Metadata(Term) - Constructor for class be.ugent.rml.metadata.Metadata
     
    -
    Metadata(Term, Term) - Constructor for class be.ugent.rml.metadata.Metadata
    +
    Metadata(Term, Term) - Constructor for class be.ugent.rml.metadata.Metadata
     
    MetadataGenerator - Class in be.ugent.rml.metadata
    Class that encapsulates the generation of metadata.
    -
    MetadataGenerator(MetadataGenerator.DETAIL_LEVEL, String, String[], QuadStore) - Constructor for class be.ugent.rml.metadata.MetadataGenerator
    +
    MetadataGenerator(MetadataGenerator.DETAIL_LEVEL, String, String[], QuadStore) - Constructor for class be.ugent.rml.metadata.MetadataGenerator
     
    MetadataGenerator.DETAIL_LEVEL - Enum in be.ugent.rml.metadata
     
    MultipleRecordsFunctionExecutor - Interface in be.ugent.rml.functions
     
    -
    MYSQL - Static variable in class be.ugent.rml.DatabaseType
    +
    MYSQL - be.ugent.rml.access.DatabaseType
     
    - +

    N

    NamedNode - Class in be.ugent.rml.term
     
    -
    NamedNode(String) - Constructor for class be.ugent.rml.term.NamedNode
    +
    NamedNode(String) - Constructor for class be.ugent.rml.term.NamedNode
     
    NamedNodeGenerator - Class in be.ugent.rml.termgenerator
     
    -
    NamedNodeGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.NamedNodeGenerator
    +
    NamedNodeGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.NamedNodeGenerator
     
    NAMESPACES - Class in be.ugent.rml
     
    -
    NAMESPACES() - Constructor for class be.ugent.rml.NAMESPACES
    +
    NAMESPACES() - Constructor for class be.ugent.rml.NAMESPACES
     
    -
    notEqual(String, String) - Static method in class be.ugent.rml.functions.lib.UtilFunctions
    +
    notEqual(String, String) - Static method in class be.ugent.rml.functions.lib.UtilFunctions
     
    -
    ntriples2hdt(String, String) - Static method in class be.ugent.rml.Utils
    +
    ntriples2hdt(String, String) - Static method in class be.ugent.rml.Utils
     
    - + + + +

    O

    +
    +
    ORACLE - be.ugent.rml.access.DatabaseType
    +
     
    +
    +

    P

    ParameterValueOriginPair - Class in be.ugent.rml.functions
     
    -
    ParameterValueOriginPair(List<TermGenerator>, List<TermGeneratorOriginPair>) - Constructor for class be.ugent.rml.functions.ParameterValueOriginPair
    +
    ParameterValueOriginPair(List<TermGenerator>, List<TermGeneratorOriginPair>) - Constructor for class be.ugent.rml.functions.ParameterValueOriginPair
     
    ParameterValuePair - Class in be.ugent.rml.functions
     
    -
    ParameterValuePair(List<TermGenerator>, List<TermGenerator>) - Constructor for class be.ugent.rml.functions.ParameterValuePair
    +
    ParameterValuePair(List<TermGenerator>, List<TermGenerator>) - Constructor for class be.ugent.rml.functions.ParameterValuePair
     
    -
    parseFunctionParameters(QuadStore, List<Term>) - Static method in class be.ugent.rml.functions.FunctionUtils
    +
    parseFunctionParameters(QuadStore, List<Term>) - Static method in class be.ugent.rml.functions.FunctionUtils
     
    -
    parseTemplate(String) - Static method in class be.ugent.rml.Utils
    +
    parseTemplate(String) - Static method in class be.ugent.rml.Utils
    This method parse the generic template and returns a list of Extractors that can later be used by the executor to get the data values from the records.
    -
    POSTGRES - Static variable in class be.ugent.rml.DatabaseType
    +
    POSTGRES - be.ugent.rml.access.DatabaseType
     
    -
    postMappingGeneration(String, String, QuadStore) - Method in class be.ugent.rml.metadata.MetadataGenerator
    +
    postMappingGeneration(String, String, QuadStore) - Method in class be.ugent.rml.metadata.MetadataGenerator
    Generates metadata after the actual mapping.
    PredicateObjectGraph - Class in be.ugent.rml
     
    -
    PredicateObjectGraph(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.PredicateObjectGraph
    +
    PredicateObjectGraph(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.PredicateObjectGraph
     
    PredicateObjectGraphMapping - Class in be.ugent.rml
     
    -
    PredicateObjectGraphMapping(MappingInfo, MappingInfo, MappingInfo) - Constructor for class be.ugent.rml.PredicateObjectGraphMapping
    +
    PredicateObjectGraphMapping(MappingInfo, MappingInfo, MappingInfo) - Constructor for class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    preMappingGeneration(List<Term>, QuadStore) - Method in class be.ugent.rml.metadata.MetadataGenerator
    +
    preMappingGeneration(List<Term>, QuadStore) - Method in class be.ugent.rml.metadata.MetadataGenerator
    Generates metadata before the actual mapping.
    @@ -901,20 +1023,20 @@

    P

     
    ProvenancedQuad - Class in be.ugent.rml.term
     
    -
    ProvenancedQuad(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.term.ProvenancedQuad
    +
    ProvenancedQuad(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.term.ProvenancedQuad
     
    -
    ProvenancedQuad(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.term.ProvenancedQuad
    +
    ProvenancedQuad(ProvenancedTerm, ProvenancedTerm, ProvenancedTerm, ProvenancedTerm) - Constructor for class be.ugent.rml.term.ProvenancedQuad
     
    ProvenancedTerm - Class in be.ugent.rml.term
     
    -
    ProvenancedTerm(Term, Metadata) - Constructor for class be.ugent.rml.term.ProvenancedTerm
    +
    ProvenancedTerm(Term) - Constructor for class be.ugent.rml.term.ProvenancedTerm
     
    -
    ProvenancedTerm(Term, MappingInfo) - Constructor for class be.ugent.rml.term.ProvenancedTerm
    +
    ProvenancedTerm(Term, MappingInfo) - Constructor for class be.ugent.rml.term.ProvenancedTerm
     
    -
    ProvenancedTerm(Term) - Constructor for class be.ugent.rml.term.ProvenancedTerm
    +
    ProvenancedTerm(Term, Metadata) - Constructor for class be.ugent.rml.term.ProvenancedTerm
     
    - +

    Q

    @@ -923,73 +1045,103 @@

    Q

     
    Quad - Class in be.ugent.rml.store
     
    -
    Quad(Term, Term, Term, Term) - Constructor for class be.ugent.rml.store.Quad
    +
    Quad(Term, Term, Term) - Constructor for class be.ugent.rml.store.Quad
     
    -
    Quad(Term, Term, Term) - Constructor for class be.ugent.rml.store.Quad
    +
    Quad(Term, Term, Term, Term) - Constructor for class be.ugent.rml.store.Quad
     
    QuadStore - Class in be.ugent.rml.store
    +
    +
    Vendor-neutral interface for managing RDF collections.
    +
    +
    QuadStore() - Constructor for class be.ugent.rml.store.QuadStore
    +
     
    +
    QuadStoreFactory - Class in be.ugent.rml.store
     
    -
    QuadStore() - Constructor for class be.ugent.rml.store.QuadStore
    +
    QuadStoreFactory() - Constructor for class be.ugent.rml.store.QuadStoreFactory
     
    - +

    R

    -
    random() - Static method in class be.ugent.rml.functions.lib.GrelProcessor
    +
    R2RMLConverter - Class in be.ugent.rml.conformer
    +
    +
    Converts InputStream of R2RML or RML mapping files to RML mapping files.
    +
    +
    random() - Static method in class be.ugent.rml.functions.lib.GrelProcessor
     
    -
    random() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    random() - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    randomString(int) - Static method in class be.ugent.rml.Utils
    +
    randomString(int) - Static method in class be.ugent.rml.Utils
     
    RDBAccess - Class in be.ugent.rml.access
    This class represents the access to a relational database.
    -
    RDBAccess(String, DatabaseType.Database, String, String, String, String) - Constructor for class be.ugent.rml.access.RDBAccess
    +
    RDBAccess(String, DatabaseType, String, String, String, String) - Constructor for class be.ugent.rml.access.RDBAccess
    This constructor takes as arguments the dsn, database, username, password, query, and content type.
    RDF - Static variable in class be.ugent.rml.NAMESPACES
     
    RDF4JStore - Class in be.ugent.rml.store
    +
    +
    Implementation of QuadStore with RDF4J + Package-private
    +
    +
    RDF4JStore() - Constructor for class be.ugent.rml.store.RDF4JStore
     
    -
    RDF4JStore(Model) - Constructor for class be.ugent.rml.store.RDF4JStore
    -
     
    -
    RDF4JStore() - Constructor for class be.ugent.rml.store.RDF4JStore
    -
     
    -
    readFile(String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    -
     
    -
    readFile(String, Charset) - Static method in class be.ugent.rml.Utils
    +
    read(File) - Static method in class be.ugent.rml.store.QuadStoreFactory
    +
    +
    Read from file, default Turtle format
    +
    +
    read(File, RDFFormat) - Static method in class be.ugent.rml.store.QuadStoreFactory
    +
    +
    Read from file in given format
    +
    +
    read(InputStream) - Static method in class be.ugent.rml.store.QuadStoreFactory
    +
    +
    Read from InputStream, default Turtle format
    +
    +
    read(InputStream, String, RDFFormat) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Read RDF to QuadStore + TODO use class or enum for input format
    +
    +
    read(InputStream, String, RDFFormat) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    readTurtle(InputStream, RDFFormat) - Static method in class be.ugent.rml.Utils
    +
    read(InputStream, String, RDFFormat) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    readTurtle(File, RDFFormat) - Static method in class be.ugent.rml.Utils
    +
    read(InputStream, RDFFormat) - Static method in class be.ugent.rml.store.QuadStoreFactory
    +
    +
    Read from InputStream in given format
    +
    +
    readFile(String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    -
    readTurtle(File) - Static method in class be.ugent.rml.Utils
    +
    readFile(String, Charset) - Static method in class be.ugent.rml.Utils
     
    Record - Class in be.ugent.rml.records
    This class represents a generic record in a data source.
    -
    Record() - Constructor for class be.ugent.rml.records.Record
    +
    Record() - Constructor for class be.ugent.rml.records.Record
     
    RecordFunctionExecutorFactory - Class in be.ugent.rml
     
    -
    RecordFunctionExecutorFactory() - Constructor for class be.ugent.rml.RecordFunctionExecutorFactory
    +
    RecordFunctionExecutorFactory() - Constructor for class be.ugent.rml.RecordFunctionExecutorFactory
     
    RecordsFactory - Class in be.ugent.rml.records
    This class creates records based on RML rules.
    -
    RecordsFactory(String) - Constructor for class be.ugent.rml.records.RecordsFactory
    +
    RecordsFactory(String) - Constructor for class be.ugent.rml.records.RecordsFactory
     
    reference - Variable in class be.ugent.rml.extractor.ReferenceExtractor
     
    ReferenceExtractor - Class in be.ugent.rml.extractor
     
    -
    ReferenceExtractor(String) - Constructor for class be.ugent.rml.extractor.ReferenceExtractor
    +
    ReferenceExtractor(String) - Constructor for class be.ugent.rml.extractor.ReferenceExtractor
     
    ReferenceFormulationRecordFactory - Interface in be.ugent.rml.records
    @@ -999,65 +1151,79 @@

    R

    This class represents access to a remote file.
    -
    RemoteFileAccess(String) - Constructor for class be.ugent.rml.access.RemoteFileAccess
    +
    RemoteFileAccess(String) - Constructor for class be.ugent.rml.access.RemoteFileAccess
     
    -
    RemoteFileAccess(String, String) - Constructor for class be.ugent.rml.access.RemoteFileAccess
    +
    RemoteFileAccess(String, String) - Constructor for class be.ugent.rml.access.RemoteFileAccess
    This constructor of RemoteFileAccess taking location and content type as arguments.
    -
    removeDuplicates() - Method in class be.ugent.rml.store.QuadStore
    +
    removeDuplicates() - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Remove duplicate quads
    +
    +
    removeDuplicates() - Method in class be.ugent.rml.store.RDF4JStore
    +
     
    +
    removeDuplicates() - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    removeDuplicates() - Method in class be.ugent.rml.store.RDF4JStore
    +
    removeQuads(Quad) - Method in class be.ugent.rml.store.QuadStore
     
    -
    removeDuplicates() - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    removeQuads(Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    removeQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Remove all Quads matching input from store.
    +
    +
    removeQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    removeQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    +
    removeQuads(Term, Term, Term, Term) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    -
    removeQuads(Term, Term, Term) - Method in class be.ugent.rml.store.RDF4JStore
    +
    removeQuads(List<Quad>) - Method in class be.ugent.rml.store.QuadStore
     
    +
    renameAll(Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Rename all predicates in graph
    +
    RML - Static variable in class be.ugent.rml.NAMESPACES
     
    RR - Static variable in class be.ugent.rml.NAMESPACES
     
    - +

    S

    SD - Static variable in class be.ugent.rml.NAMESPACES
     
    -
    selectedColumnHash(String) - Static method in class be.ugent.rml.Utils
    -
     
    -
    setNamespaces(Set<Namespace>) - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    setNamespaces(Set<Namespace>) - Method in class be.ugent.rml.store.RDF4JStore
    +
    selectedColumnHash(String) - Static method in class be.ugent.rml.Utils
     
    -
    setNamespaces(Set<Namespace>) - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    setParentTriplesMap(Term) - Method in class be.ugent.rml.PredicateObjectGraphMapping
     
    -
    setParentTriplesMap(Term) - Method in class be.ugent.rml.PredicateObjectGraphMapping
    -
     
    -
    setSourceMap(Term) - Method in class be.ugent.rml.metadata.Metadata
    +
    setSourceMap(Term) - Method in class be.ugent.rml.metadata.Metadata
     
    SimpleQuadStore - Class in be.ugent.rml.store
    -
     
    -
    SimpleQuadStore(ArrayList<Quad>) - Constructor for class be.ugent.rml.store.SimpleQuadStore
    -
     
    -
    SimpleQuadStore() - Constructor for class be.ugent.rml.store.SimpleQuadStore
    +
    +
    Implementation of QuadStore with List quads.
    +
    +
    SimpleQuadStore() - Constructor for class be.ugent.rml.store.SimpleQuadStore
     
    SingleRecordFunctionExecutor - Interface in be.ugent.rml.functions
     
    -
    size() - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    size() - Method in class be.ugent.rml.store.RDF4JStore
    +
    size() - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Number of RDF quads
    +
    +
    size() - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    size() - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    size() - Method in class be.ugent.rml.store.SimpleQuadStore
     
    SPARQLEndpointAccess - Class in be.ugent.rml.access
    This class represents the access to a SPARQL endpoint.
    -
    SPARQLEndpointAccess(String, String, String) - Constructor for class be.ugent.rml.access.SPARQLEndpointAccess
    +
    SPARQLEndpointAccess(String, String, String) - Constructor for class be.ugent.rml.access.SPARQLEndpointAccess
    This constructor takes a content type, url of the endpoint, and a SPARQL query as arguments.
    @@ -1065,192 +1231,222 @@

    S

    This enum represents the different SPARQL result formats.
    -
    SQL_SERVER - Static variable in class be.ugent.rml.DatabaseType
    +
    SQL_SERVER - be.ugent.rml.access.DatabaseType
     
    StaticMultipleRecordsFunctionExecutor - Class in be.ugent.rml.functions
     
    -
    StaticMultipleRecordsFunctionExecutor(FunctionModel, Map<String, Object[]>) - Constructor for class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor
    +
    StaticMultipleRecordsFunctionExecutor(FunctionModel, Map<String, Object[]>) - Constructor for class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor
     
    StaticSingleRecordFunctionExecutor - Class in be.ugent.rml.functions
     
    -
    StaticSingleRecordFunctionExecutor(FunctionModel, Map<String, List<Template>>) - Constructor for class be.ugent.rml.functions.StaticSingleRecordFunctionExecutor
    +
    StaticSingleRecordFunctionExecutor(FunctionModel, Map<String, List<Template>>) - Constructor for class be.ugent.rml.functions.StaticSingleRecordFunctionExecutor
     
    -
    stringContainsOtherString(String, String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    stringContainsOtherString(String, String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    - +

    T

    Template - Class in be.ugent.rml
     
    -
    Template() - Constructor for class be.ugent.rml.Template
    +
    Template() - Constructor for class be.ugent.rml.Template
     
    -
    Template(List<TemplateElement>) - Constructor for class be.ugent.rml.Template
    +
    Template(List<TemplateElement>) - Constructor for class be.ugent.rml.Template
     
    TemplateElement - Class in be.ugent.rml
     
    -
    TemplateElement(String, TEMPLATETYPE) - Constructor for class be.ugent.rml.TemplateElement
    +
    TemplateElement(String, TEMPLATETYPE) - Constructor for class be.ugent.rml.TemplateElement
     
    TEMPLATETYPE - Enum in be.ugent.rml
     
    Term - Interface in be.ugent.rml.term
     
    +
    TERM - be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    +
     
    TermGenerator - Class in be.ugent.rml.termgenerator
     
    -
    TermGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.TermGenerator
    +
    TermGenerator(SingleRecordFunctionExecutor) - Constructor for class be.ugent.rml.termgenerator.TermGenerator
     
    TermGeneratorOriginPair - Class in be.ugent.rml.functions
     
    -
    TermGeneratorOriginPair(TermGenerator, String) - Constructor for class be.ugent.rml.functions.TermGeneratorOriginPair
    -
     
    -
    toLowercase(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
    +
    TermGeneratorOriginPair(TermGenerator, String) - Constructor for class be.ugent.rml.functions.TermGeneratorOriginPair
     
    -
    toLowercase(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    toLowercase(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
     
    -
    toSimpleSortedQuadStore() - Method in class be.ugent.rml.store.QuadStore
    +
    toLowercase(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    toSortedString() - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    toString() - Method in class be.ugent.rml.access.LocalFileAccess
    +
    toSortedString() - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Use sorted Quads in string representation
    +
    +
    toString() - Method in enum be.ugent.rml.access.DatabaseType
     
    -
    toString() - Method in enum be.ugent.rml.DatabaseType.Database
    +
    toString() - Method in class be.ugent.rml.access.LocalFileAccess
     
    -
    toString() - Method in class be.ugent.rml.extractor.ReferenceExtractor
    +
    toString() - Method in class be.ugent.rml.extractor.ReferenceExtractor
     
    -
    toString() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    toString() - Method in enum be.ugent.rml.records.SPARQLResultFormat
    This method returns a String representation of the format, based on the format's name.
    -
    toString() - Method in class be.ugent.rml.store.QuadStore
    +
    toString() - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Uses Quads in string representation
    +
    +
    toString() - Method in class be.ugent.rml.term.AbstractTerm
     
    -
    toString() - Method in class be.ugent.rml.term.AbstractTerm
    +
    toString() - Method in class be.ugent.rml.term.BlankNode
     
    -
    toString() - Method in class be.ugent.rml.term.BlankNode
    +
    toString() - Method in class be.ugent.rml.term.Literal
     
    -
    toString() - Method in class be.ugent.rml.term.Literal
    +
    toString() - Method in class be.ugent.rml.term.NamedNode
     
    -
    toString() - Method in class be.ugent.rml.term.NamedNode
    +
    toUppercase(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
     
    -
    toUppercase(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
    +
    toUppercase(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    toUppercase(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    toUpperCaseURL(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
     
    -
    toUpperCaseURL(String) - Static method in class be.ugent.rml.functions.lib.GrelProcessor
    +
    toUpperCaseURL(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
     
    -
    toUpperCaseURL(String) - Static method in class be.ugent.rml.functions.lib.GrelTestProcessor
    +
    transformDatatypeString(String, String) - Static method in class be.ugent.rml.Utils
     
    -
    transformDatatypeString(String, String) - Static method in class be.ugent.rml.Utils
    +
    TRIPLE - be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
     
    -
    trueCondition(String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
    +
    trueCondition(String, String) - Static method in class be.ugent.rml.functions.lib.IDLabFunctions
     
    +
    tryPropertyTranslation(Term, Term, Term, Term) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    If fromPredicate is present on from, rename it to toPredicate and move it to to
    +
    - +

    U

    UtilFunctions - Class in be.ugent.rml.functions.lib
     
    -
    UtilFunctions() - Constructor for class be.ugent.rml.functions.lib.UtilFunctions
    +
    UtilFunctions() - Constructor for class be.ugent.rml.functions.lib.UtilFunctions
     
    Utils - Class in be.ugent.rml
    -
     
    -
    Utils() - Constructor for class be.ugent.rml.Utils
    +
    +
    General static utility functions
    +
    +
    Utils() - Constructor for class be.ugent.rml.Utils
     
    - +

    V

    ValuedJoinCondition - Class in be.ugent.rml
     
    -
    ValuedJoinCondition(Template, List<String>) - Constructor for class be.ugent.rml.ValuedJoinCondition
    +
    ValuedJoinCondition(Template, List<String>) - Constructor for class be.ugent.rml.ValuedJoinCondition
     
    -
    valueOf(String) - Static method in enum be.ugent.rml.DatabaseType.Database
    +
    valueOf(String) - Static method in enum be.ugent.rml.access.DatabaseType
    Returns the enum constant of this type with the specified name.
    -
    valueOf(String) - Static method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    +
    valueOf(String) - Static method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    Returns the enum constant of this type with the specified name.
    -
    valueOf(String) - Static method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    valueOf(String) - Static method in enum be.ugent.rml.records.SPARQLResultFormat
    Returns the enum constant of this type with the specified name.
    -
    valueOf(String) - Static method in enum be.ugent.rml.TEMPLATETYPE
    +
    valueOf(String) - Static method in enum be.ugent.rml.TEMPLATETYPE
    Returns the enum constant of this type with the specified name.
    -
    values() - Static method in enum be.ugent.rml.DatabaseType.Database
    +
    values() - Static method in enum be.ugent.rml.access.DatabaseType
    Returns an array containing the constants of this enum type, in the order they are declared.
    -
    values() - Static method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    +
    values() - Static method in enum be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL
    Returns an array containing the constants of this enum type, in the order they are declared.
    -
    values() - Static method in enum be.ugent.rml.records.SPARQLResultFormat
    +
    values() - Static method in enum be.ugent.rml.records.SPARQLResultFormat
    Returns an array containing the constants of this enum type, in the order they are declared.
    -
    values() - Static method in enum be.ugent.rml.TEMPLATETYPE
    +
    values() - Static method in enum be.ugent.rml.TEMPLATETYPE
    Returns an array containing the constants of this enum type, in the order they are declared.
    +
    VARIABLE - be.ugent.rml.TEMPLATETYPE
    +
     
    VOID - Static variable in class be.ugent.rml.NAMESPACES
     
    - +

    W

    -
    write(Writer, String) - Method in class be.ugent.rml.store.QuadStore
    -
     
    -
    write(Writer, String) - Method in class be.ugent.rml.store.RDF4JStore
    +
    write(ByteArrayOutputStream, String) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    write(PrintStream, String) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Helper function
    +
    +
    write(Writer, String) - Method in class be.ugent.rml.store.QuadStore
    +
    +
    Write out the QuadStore in given format + TODO use class or enum for output format
    +
    +
    write(Writer, String) - Method in class be.ugent.rml.store.RDF4JStore
     
    -
    write(Writer, String) - Method in class be.ugent.rml.store.SimpleQuadStore
    +
    write(Writer, String) - Method in class be.ugent.rml.store.SimpleQuadStore
     
    - +

    X

    +
    XML - be.ugent.rml.records.SPARQLResultFormat
    +
     
    XMLRecord - Class in be.ugent.rml.records
    This class is a specific implementation of a record for XML.
    -
    XMLRecord(Node) - Constructor for class be.ugent.rml.records.XMLRecord
    +
    XMLRecord(Node) - Constructor for class be.ugent.rml.records.XMLRecord
     
    XMLRecordFactory - Class in be.ugent.rml.records
    This class is a record factory that creates XML records.
    -
    XMLRecordFactory() - Constructor for class be.ugent.rml.records.XMLRecordFactory
    +
    XMLRecordFactory() - Constructor for class be.ugent.rml.records.XMLRecordFactory
     
    XSD - Static variable in class be.ugent.rml.NAMESPACES
     
    -A B C D E F G H I J L M N P Q R S T U V W X 
    +A B C D E F G H I J L M N O P Q R S T U V W X 
    All Classes All Packages +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/index.html b/docs/apidocs/index.html index 946d58f3..0f0711ad 100644 --- a/docs/apidocs/index.html +++ b/docs/apidocs/index.html @@ -1,76 +1,174 @@ - + - + +Overview (rmlmapper 4.6.0 API) -rmlmapper 4.5.0 API - + + + + + + + + + - - - - - - - - +//--> +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script');</script> <noscript> <div>JavaScript is disabled on your browser.</div> </noscript> -<h2>Frame Alert</h2> -<p>This document is designed to be viewed using the frames feature. If you see this message, you are using a non-frame-capable web client. Link to <a href="overview-summary.html">Non-frame version</a>.</p> - - +
    + +
    +
    +
    +

    rmlmapper 4.6.0 API

    +
    +
    +
    + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +
    Packages 
    PackageDescription
    be.ugent.rml 
    be.ugent.rml.access 
    be.ugent.rml.cli 
    be.ugent.rml.conformer 
    be.ugent.rml.extractor 
    be.ugent.rml.functions 
    be.ugent.rml.functions.lib 
    be.ugent.rml.metadata 
    be.ugent.rml.records 
    be.ugent.rml.store 
    be.ugent.rml.term 
    be.ugent.rml.termgenerator 
    +
    +
    +
    + + diff --git a/docs/apidocs/javadoc.sh b/docs/apidocs/javadoc.sh new file mode 100755 index 00000000..75dcbafc --- /dev/null +++ b/docs/apidocs/javadoc.sh @@ -0,0 +1 @@ +/home/pheyvaer/.sdkman/candidates/java/current/bin/javadoc @options @packages \ No newline at end of file diff --git a/docs/apidocs/jquery/external/jquery/jquery.js b/docs/apidocs/jquery/external/jquery/jquery.js new file mode 100644 index 00000000..9b5206bc --- /dev/null +++ b/docs/apidocs/jquery/external/jquery/jquery.js @@ -0,0 +1,10364 @@ +/*! + * jQuery JavaScript Library v3.3.1 + * https://jquery.com/ + * + * Includes Sizzle.js + * https://sizzlejs.com/ + * + * Copyright JS Foundation and other contributors + * Released under the MIT license + * https://jquery.org/license + * + * Date: 2018-01-20T17:24Z + */ +( function( global, factory ) { + + "use strict"; + + if ( typeof module === "object" && typeof module.exports === "object" ) { + + // For CommonJS and CommonJS-like environments where a proper `window` + // is present, execute the factory and get jQuery. + // For environments that do not have a `window` with a `document` + // (such as Node.js), expose a factory as module.exports. + // This accentuates the need for the creation of a real `window`. + // e.g. var jQuery = require("jquery")(window); + // See ticket #14549 for more info. + module.exports = global.document ? + factory( global, true ) : + function( w ) { + if ( !w.document ) { + throw new Error( "jQuery requires a window with a document" ); + } + return factory( w ); + }; + } else { + factory( global ); + } + +// Pass this if window is not defined yet +} )( typeof window !== "undefined" ? window : this, function( window, noGlobal ) { + +// Edge <= 12 - 13+, Firefox <=18 - 45+, IE 10 - 11, Safari 5.1 - 9+, iOS 6 - 9.1 +// throw exceptions when non-strict code (e.g., ASP.NET 4.5) accesses strict mode +// arguments.callee.caller (trac-13335). But as of jQuery 3.0 (2016), strict mode should be common +// enough that all such attempts are guarded in a try block. +"use strict"; + +var arr = []; + +var document = window.document; + +var getProto = Object.getPrototypeOf; + +var slice = arr.slice; + +var concat = arr.concat; + +var push = arr.push; + +var indexOf = arr.indexOf; + +var class2type = {}; + +var toString = class2type.toString; + +var hasOwn = class2type.hasOwnProperty; + +var fnToString = hasOwn.toString; + +var ObjectFunctionString = fnToString.call( Object ); + +var support = {}; + +var isFunction = function isFunction( obj ) { + + // Support: Chrome <=57, Firefox <=52 + // In some browsers, typeof returns "function" for HTML elements + // (i.e., `typeof document.createElement( "object" ) === "function"`). + // We don't want to classify *any* DOM node as a function. + return typeof obj === "function" && typeof obj.nodeType !== "number"; + }; + + +var isWindow = function isWindow( obj ) { + return obj != null && obj === obj.window; + }; + + + + + var preservedScriptAttributes = { + type: true, + src: true, + noModule: true + }; + + function DOMEval( code, doc, node ) { + doc = doc || document; + + var i, + script = doc.createElement( "script" ); + + script.text = code; + if ( node ) { + for ( i in preservedScriptAttributes ) { + if ( node[ i ] ) { + script[ i ] = node[ i ]; + } + } + } + doc.head.appendChild( script ).parentNode.removeChild( script ); + } + + +function toType( obj ) { + if ( obj == null ) { + return obj + ""; + } + + // Support: Android <=2.3 only (functionish RegExp) + return typeof obj === "object" || typeof obj === "function" ? + class2type[ toString.call( obj ) ] || "object" : + typeof obj; +} +/* global Symbol */ +// Defining this global in .eslintrc.json would create a danger of using the global +// unguarded in another place, it seems safer to define global only for this module + + + +var + version = "3.3.1", + + // Define a local copy of jQuery + jQuery = function( selector, context ) { + + // The jQuery object is actually just the init constructor 'enhanced' + // Need init if jQuery is called (just allow error to be thrown if not included) + return new jQuery.fn.init( selector, context ); + }, + + // Support: Android <=4.0 only + // Make sure we trim BOM and NBSP + rtrim = /^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g; + +jQuery.fn = jQuery.prototype = { + + // The current version of jQuery being used + jquery: version, + + constructor: jQuery, + + // The default length of a jQuery object is 0 + length: 0, + + toArray: function() { + return slice.call( this ); + }, + + // Get the Nth element in the matched element set OR + // Get the whole matched element set as a clean array + get: function( num ) { + + // Return all the elements in a clean array + if ( num == null ) { + return slice.call( this ); + } + + // Return just the one element from the set + return num < 0 ? this[ num + this.length ] : this[ num ]; + }, + + // Take an array of elements and push it onto the stack + // (returning the new matched element set) + pushStack: function( elems ) { + + // Build a new jQuery matched element set + var ret = jQuery.merge( this.constructor(), elems ); + + // Add the old object onto the stack (as a reference) + ret.prevObject = this; + + // Return the newly-formed element set + return ret; + }, + + // Execute a callback for every element in the matched set. + each: function( callback ) { + return jQuery.each( this, callback ); + }, + + map: function( callback ) { + return this.pushStack( jQuery.map( this, function( elem, i ) { + return callback.call( elem, i, elem ); + } ) ); + }, + + slice: function() { + return this.pushStack( slice.apply( this, arguments ) ); + }, + + first: function() { + return this.eq( 0 ); + }, + + last: function() { + return this.eq( -1 ); + }, + + eq: function( i ) { + var len = this.length, + j = +i + ( i < 0 ? len : 0 ); + return this.pushStack( j >= 0 && j < len ? [ this[ j ] ] : [] ); + }, + + end: function() { + return this.prevObject || this.constructor(); + }, + + // For internal use only. + // Behaves like an Array's method, not like a jQuery method. + push: push, + sort: arr.sort, + splice: arr.splice +}; + +jQuery.extend = jQuery.fn.extend = function() { + var options, name, src, copy, copyIsArray, clone, + target = arguments[ 0 ] || {}, + i = 1, + length = arguments.length, + deep = false; + + // Handle a deep copy situation + if ( typeof target === "boolean" ) { + deep = target; + + // Skip the boolean and the target + target = arguments[ i ] || {}; + i++; + } + + // Handle case when target is a string or something (possible in deep copy) + if ( typeof target !== "object" && !isFunction( target ) ) { + target = {}; + } + + // Extend jQuery itself if only one argument is passed + if ( i === length ) { + target = this; + i--; + } + + for ( ; i < length; i++ ) { + + // Only deal with non-null/undefined values + if ( ( options = arguments[ i ] ) != null ) { + + // Extend the base object + for ( name in options ) { + src = target[ name ]; + copy = options[ name ]; + + // Prevent never-ending loop + if ( target === copy ) { + continue; + } + + // Recurse if we're merging plain objects or arrays + if ( deep && copy && ( jQuery.isPlainObject( copy ) || + ( copyIsArray = Array.isArray( copy ) ) ) ) { + + if ( copyIsArray ) { + copyIsArray = false; + clone = src && Array.isArray( src ) ? src : []; + + } else { + clone = src && jQuery.isPlainObject( src ) ? src : {}; + } + + // Never move original objects, clone them + target[ name ] = jQuery.extend( deep, clone, copy ); + + // Don't bring in undefined values + } else if ( copy !== undefined ) { + target[ name ] = copy; + } + } + } + } + + // Return the modified object + return target; +}; + +jQuery.extend( { + + // Unique for each copy of jQuery on the page + expando: "jQuery" + ( version + Math.random() ).replace( /\D/g, "" ), + + // Assume jQuery is ready without the ready module + isReady: true, + + error: function( msg ) { + throw new Error( msg ); + }, + + noop: function() {}, + + isPlainObject: function( obj ) { + var proto, Ctor; + + // Detect obvious negatives + // Use toString instead of jQuery.type to catch host objects + if ( !obj || toString.call( obj ) !== "[object Object]" ) { + return false; + } + + proto = getProto( obj ); + + // Objects with no prototype (e.g., `Object.create( null )`) are plain + if ( !proto ) { + return true; + } + + // Objects with prototype are plain iff they were constructed by a global Object function + Ctor = hasOwn.call( proto, "constructor" ) && proto.constructor; + return typeof Ctor === "function" && fnToString.call( Ctor ) === ObjectFunctionString; + }, + + isEmptyObject: function( obj ) { + + /* eslint-disable no-unused-vars */ + // See https://github.com/eslint/eslint/issues/6125 + var name; + + for ( name in obj ) { + return false; + } + return true; + }, + + // Evaluates a script in a global context + globalEval: function( code ) { + DOMEval( code ); + }, + + each: function( obj, callback ) { + var length, i = 0; + + if ( isArrayLike( obj ) ) { + length = obj.length; + for ( ; i < length; i++ ) { + if ( callback.call( obj[ i ], i, obj[ i ] ) === false ) { + break; + } + } + } else { + for ( i in obj ) { + if ( callback.call( obj[ i ], i, obj[ i ] ) === false ) { + break; + } + } + } + + return obj; + }, + + // Support: Android <=4.0 only + trim: function( text ) { + return text == null ? + "" : + ( text + "" ).replace( rtrim, "" ); + }, + + // results is for internal usage only + makeArray: function( arr, results ) { + var ret = results || []; + + if ( arr != null ) { + if ( isArrayLike( Object( arr ) ) ) { + jQuery.merge( ret, + typeof arr === "string" ? + [ arr ] : arr + ); + } else { + push.call( ret, arr ); + } + } + + return ret; + }, + + inArray: function( elem, arr, i ) { + return arr == null ? -1 : indexOf.call( arr, elem, i ); + }, + + // Support: Android <=4.0 only, PhantomJS 1 only + // push.apply(_, arraylike) throws on ancient WebKit + merge: function( first, second ) { + var len = +second.length, + j = 0, + i = first.length; + + for ( ; j < len; j++ ) { + first[ i++ ] = second[ j ]; + } + + first.length = i; + + return first; + }, + + grep: function( elems, callback, invert ) { + var callbackInverse, + matches = [], + i = 0, + length = elems.length, + callbackExpect = !invert; + + // Go through the array, only saving the items + // that pass the validator function + for ( ; i < length; i++ ) { + callbackInverse = !callback( elems[ i ], i ); + if ( callbackInverse !== callbackExpect ) { + matches.push( elems[ i ] ); + } + } + + return matches; + }, + + // arg is for internal usage only + map: function( elems, callback, arg ) { + var length, value, + i = 0, + ret = []; + + // Go through the array, translating each of the items to their new values + if ( isArrayLike( elems ) ) { + length = elems.length; + for ( ; i < length; i++ ) { + value = callback( elems[ i ], i, arg ); + + if ( value != null ) { + ret.push( value ); + } + } + + // Go through every key on the object, + } else { + for ( i in elems ) { + value = callback( elems[ i ], i, arg ); + + if ( value != null ) { + ret.push( value ); + } + } + } + + // Flatten any nested arrays + return concat.apply( [], ret ); + }, + + // A global GUID counter for objects + guid: 1, + + // jQuery.support is not used in Core but other projects attach their + // properties to it so it needs to exist. + support: support +} ); + +if ( typeof Symbol === "function" ) { + jQuery.fn[ Symbol.iterator ] = arr[ Symbol.iterator ]; +} + +// Populate the class2type map +jQuery.each( "Boolean Number String Function Array Date RegExp Object Error Symbol".split( " " ), +function( i, name ) { + class2type[ "[object " + name + "]" ] = name.toLowerCase(); +} ); + +function isArrayLike( obj ) { + + // Support: real iOS 8.2 only (not reproducible in simulator) + // `in` check used to prevent JIT error (gh-2145) + // hasOwn isn't used here due to false negatives + // regarding Nodelist length in IE + var length = !!obj && "length" in obj && obj.length, + type = toType( obj ); + + if ( isFunction( obj ) || isWindow( obj ) ) { + return false; + } + + return type === "array" || length === 0 || + typeof length === "number" && length > 0 && ( length - 1 ) in obj; +} +var Sizzle = +/*! + * Sizzle CSS Selector Engine v2.3.3 + * https://sizzlejs.com/ + * + * Copyright jQuery Foundation and other contributors + * Released under the MIT license + * http://jquery.org/license + * + * Date: 2016-08-08 + */ +(function( window ) { + +var i, + support, + Expr, + getText, + isXML, + tokenize, + compile, + select, + outermostContext, + sortInput, + hasDuplicate, + + // Local document vars + setDocument, + document, + docElem, + documentIsHTML, + rbuggyQSA, + rbuggyMatches, + matches, + contains, + + // Instance-specific data + expando = "sizzle" + 1 * new Date(), + preferredDoc = window.document, + dirruns = 0, + done = 0, + classCache = createCache(), + tokenCache = createCache(), + compilerCache = createCache(), + sortOrder = function( a, b ) { + if ( a === b ) { + hasDuplicate = true; + } + return 0; + }, + + // Instance methods + hasOwn = ({}).hasOwnProperty, + arr = [], + pop = arr.pop, + push_native = arr.push, + push = arr.push, + slice = arr.slice, + // Use a stripped-down indexOf as it's faster than native + // https://jsperf.com/thor-indexof-vs-for/5 + indexOf = function( list, elem ) { + var i = 0, + len = list.length; + for ( ; i < len; i++ ) { + if ( list[i] === elem ) { + return i; + } + } + return -1; + }, + + booleans = "checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped", + + // Regular expressions + + // http://www.w3.org/TR/css3-selectors/#whitespace + whitespace = "[\\x20\\t\\r\\n\\f]", + + // http://www.w3.org/TR/CSS21/syndata.html#value-def-identifier + identifier = "(?:\\\\.|[\\w-]|[^\0-\\xa0])+", + + // Attribute selectors: http://www.w3.org/TR/selectors/#attribute-selectors + attributes = "\\[" + whitespace + "*(" + identifier + ")(?:" + whitespace + + // Operator (capture 2) + "*([*^$|!~]?=)" + whitespace + + // "Attribute values must be CSS identifiers [capture 5] or strings [capture 3 or capture 4]" + "*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|(" + identifier + "))|)" + whitespace + + "*\\]", + + pseudos = ":(" + identifier + ")(?:\\((" + + // To reduce the number of selectors needing tokenize in the preFilter, prefer arguments: + // 1. quoted (capture 3; capture 4 or capture 5) + "('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|" + + // 2. simple (capture 6) + "((?:\\\\.|[^\\\\()[\\]]|" + attributes + ")*)|" + + // 3. anything else (capture 2) + ".*" + + ")\\)|)", + + // Leading and non-escaped trailing whitespace, capturing some non-whitespace characters preceding the latter + rwhitespace = new RegExp( whitespace + "+", "g" ), + rtrim = new RegExp( "^" + whitespace + "+|((?:^|[^\\\\])(?:\\\\.)*)" + whitespace + "+$", "g" ), + + rcomma = new RegExp( "^" + whitespace + "*," + whitespace + "*" ), + rcombinators = new RegExp( "^" + whitespace + "*([>+~]|" + whitespace + ")" + whitespace + "*" ), + + rattributeQuotes = new RegExp( "=" + whitespace + "*([^\\]'\"]*?)" + whitespace + "*\\]", "g" ), + + rpseudo = new RegExp( pseudos ), + ridentifier = new RegExp( "^" + identifier + "$" ), + + matchExpr = { + "ID": new RegExp( "^#(" + identifier + ")" ), + "CLASS": new RegExp( "^\\.(" + identifier + ")" ), + "TAG": new RegExp( "^(" + identifier + "|[*])" ), + "ATTR": new RegExp( "^" + attributes ), + "PSEUDO": new RegExp( "^" + pseudos ), + "CHILD": new RegExp( "^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\(" + whitespace + + "*(even|odd|(([+-]|)(\\d*)n|)" + whitespace + "*(?:([+-]|)" + whitespace + + "*(\\d+)|))" + whitespace + "*\\)|)", "i" ), + "bool": new RegExp( "^(?:" + booleans + ")$", "i" ), + // For use in libraries implementing .is() + // We use this for POS matching in `select` + "needsContext": new RegExp( "^" + whitespace + "*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\(" + + whitespace + "*((?:-\\d)?\\d*)" + whitespace + "*\\)|)(?=[^-]|$)", "i" ) + }, + + rinputs = /^(?:input|select|textarea|button)$/i, + rheader = /^h\d$/i, + + rnative = /^[^{]+\{\s*\[native \w/, + + // Easily-parseable/retrievable ID or TAG or CLASS selectors + rquickExpr = /^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/, + + rsibling = /[+~]/, + + // CSS escapes + // http://www.w3.org/TR/CSS21/syndata.html#escaped-characters + runescape = new RegExp( "\\\\([\\da-f]{1,6}" + whitespace + "?|(" + whitespace + ")|.)", "ig" ), + funescape = function( _, escaped, escapedWhitespace ) { + var high = "0x" + escaped - 0x10000; + // NaN means non-codepoint + // Support: Firefox<24 + // Workaround erroneous numeric interpretation of +"0x" + return high !== high || escapedWhitespace ? + escaped : + high < 0 ? + // BMP codepoint + String.fromCharCode( high + 0x10000 ) : + // Supplemental Plane codepoint (surrogate pair) + String.fromCharCode( high >> 10 | 0xD800, high & 0x3FF | 0xDC00 ); + }, + + // CSS string/identifier serialization + // https://drafts.csswg.org/cssom/#common-serializing-idioms + rcssescape = /([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g, + fcssescape = function( ch, asCodePoint ) { + if ( asCodePoint ) { + + // U+0000 NULL becomes U+FFFD REPLACEMENT CHARACTER + if ( ch === "\0" ) { + return "\uFFFD"; + } + + // Control characters and (dependent upon position) numbers get escaped as code points + return ch.slice( 0, -1 ) + "\\" + ch.charCodeAt( ch.length - 1 ).toString( 16 ) + " "; + } + + // Other potentially-special ASCII characters get backslash-escaped + return "\\" + ch; + }, + + // Used for iframes + // See setDocument() + // Removing the function wrapper causes a "Permission Denied" + // error in IE + unloadHandler = function() { + setDocument(); + }, + + disabledAncestor = addCombinator( + function( elem ) { + return elem.disabled === true && ("form" in elem || "label" in elem); + }, + { dir: "parentNode", next: "legend" } + ); + +// Optimize for push.apply( _, NodeList ) +try { + push.apply( + (arr = slice.call( preferredDoc.childNodes )), + preferredDoc.childNodes + ); + // Support: Android<4.0 + // Detect silently failing push.apply + arr[ preferredDoc.childNodes.length ].nodeType; +} catch ( e ) { + push = { apply: arr.length ? + + // Leverage slice if possible + function( target, els ) { + push_native.apply( target, slice.call(els) ); + } : + + // Support: IE<9 + // Otherwise append directly + function( target, els ) { + var j = target.length, + i = 0; + // Can't trust NodeList.length + while ( (target[j++] = els[i++]) ) {} + target.length = j - 1; + } + }; +} + +function Sizzle( selector, context, results, seed ) { + var m, i, elem, nid, match, groups, newSelector, + newContext = context && context.ownerDocument, + + // nodeType defaults to 9, since context defaults to document + nodeType = context ? context.nodeType : 9; + + results = results || []; + + // Return early from calls with invalid selector or context + if ( typeof selector !== "string" || !selector || + nodeType !== 1 && nodeType !== 9 && nodeType !== 11 ) { + + return results; + } + + // Try to shortcut find operations (as opposed to filters) in HTML documents + if ( !seed ) { + + if ( ( context ? context.ownerDocument || context : preferredDoc ) !== document ) { + setDocument( context ); + } + context = context || document; + + if ( documentIsHTML ) { + + // If the selector is sufficiently simple, try using a "get*By*" DOM method + // (excepting DocumentFragment context, where the methods don't exist) + if ( nodeType !== 11 && (match = rquickExpr.exec( selector )) ) { + + // ID selector + if ( (m = match[1]) ) { + + // Document context + if ( nodeType === 9 ) { + if ( (elem = context.getElementById( m )) ) { + + // Support: IE, Opera, Webkit + // TODO: identify versions + // getElementById can match elements by name instead of ID + if ( elem.id === m ) { + results.push( elem ); + return results; + } + } else { + return results; + } + + // Element context + } else { + + // Support: IE, Opera, Webkit + // TODO: identify versions + // getElementById can match elements by name instead of ID + if ( newContext && (elem = newContext.getElementById( m )) && + contains( context, elem ) && + elem.id === m ) { + + results.push( elem ); + return results; + } + } + + // Type selector + } else if ( match[2] ) { + push.apply( results, context.getElementsByTagName( selector ) ); + return results; + + // Class selector + } else if ( (m = match[3]) && support.getElementsByClassName && + context.getElementsByClassName ) { + + push.apply( results, context.getElementsByClassName( m ) ); + return results; + } + } + + // Take advantage of querySelectorAll + if ( support.qsa && + !compilerCache[ selector + " " ] && + (!rbuggyQSA || !rbuggyQSA.test( selector )) ) { + + if ( nodeType !== 1 ) { + newContext = context; + newSelector = selector; + + // qSA looks outside Element context, which is not what we want + // Thanks to Andrew Dupont for this workaround technique + // Support: IE <=8 + // Exclude object elements + } else if ( context.nodeName.toLowerCase() !== "object" ) { + + // Capture the context ID, setting it first if necessary + if ( (nid = context.getAttribute( "id" )) ) { + nid = nid.replace( rcssescape, fcssescape ); + } else { + context.setAttribute( "id", (nid = expando) ); + } + + // Prefix every selector in the list + groups = tokenize( selector ); + i = groups.length; + while ( i-- ) { + groups[i] = "#" + nid + " " + toSelector( groups[i] ); + } + newSelector = groups.join( "," ); + + // Expand context for sibling selectors + newContext = rsibling.test( selector ) && testContext( context.parentNode ) || + context; + } + + if ( newSelector ) { + try { + push.apply( results, + newContext.querySelectorAll( newSelector ) + ); + return results; + } catch ( qsaError ) { + } finally { + if ( nid === expando ) { + context.removeAttribute( "id" ); + } + } + } + } + } + } + + // All others + return select( selector.replace( rtrim, "$1" ), context, results, seed ); +} + +/** + * Create key-value caches of limited size + * @returns {function(string, object)} Returns the Object data after storing it on itself with + * property name the (space-suffixed) string and (if the cache is larger than Expr.cacheLength) + * deleting the oldest entry + */ +function createCache() { + var keys = []; + + function cache( key, value ) { + // Use (key + " ") to avoid collision with native prototype properties (see Issue #157) + if ( keys.push( key + " " ) > Expr.cacheLength ) { + // Only keep the most recent entries + delete cache[ keys.shift() ]; + } + return (cache[ key + " " ] = value); + } + return cache; +} + +/** + * Mark a function for special use by Sizzle + * @param {Function} fn The function to mark + */ +function markFunction( fn ) { + fn[ expando ] = true; + return fn; +} + +/** + * Support testing using an element + * @param {Function} fn Passed the created element and returns a boolean result + */ +function assert( fn ) { + var el = document.createElement("fieldset"); + + try { + return !!fn( el ); + } catch (e) { + return false; + } finally { + // Remove from its parent by default + if ( el.parentNode ) { + el.parentNode.removeChild( el ); + } + // release memory in IE + el = null; + } +} + +/** + * Adds the same handler for all of the specified attrs + * @param {String} attrs Pipe-separated list of attributes + * @param {Function} handler The method that will be applied + */ +function addHandle( attrs, handler ) { + var arr = attrs.split("|"), + i = arr.length; + + while ( i-- ) { + Expr.attrHandle[ arr[i] ] = handler; + } +} + +/** + * Checks document order of two siblings + * @param {Element} a + * @param {Element} b + * @returns {Number} Returns less than 0 if a precedes b, greater than 0 if a follows b + */ +function siblingCheck( a, b ) { + var cur = b && a, + diff = cur && a.nodeType === 1 && b.nodeType === 1 && + a.sourceIndex - b.sourceIndex; + + // Use IE sourceIndex if available on both nodes + if ( diff ) { + return diff; + } + + // Check if b follows a + if ( cur ) { + while ( (cur = cur.nextSibling) ) { + if ( cur === b ) { + return -1; + } + } + } + + return a ? 1 : -1; +} + +/** + * Returns a function to use in pseudos for input types + * @param {String} type + */ +function createInputPseudo( type ) { + return function( elem ) { + var name = elem.nodeName.toLowerCase(); + return name === "input" && elem.type === type; + }; +} + +/** + * Returns a function to use in pseudos for buttons + * @param {String} type + */ +function createButtonPseudo( type ) { + return function( elem ) { + var name = elem.nodeName.toLowerCase(); + return (name === "input" || name === "button") && elem.type === type; + }; +} + +/** + * Returns a function to use in pseudos for :enabled/:disabled + * @param {Boolean} disabled true for :disabled; false for :enabled + */ +function createDisabledPseudo( disabled ) { + + // Known :disabled false positives: fieldset[disabled] > legend:nth-of-type(n+2) :can-disable + return function( elem ) { + + // Only certain elements can match :enabled or :disabled + // https://html.spec.whatwg.org/multipage/scripting.html#selector-enabled + // https://html.spec.whatwg.org/multipage/scripting.html#selector-disabled + if ( "form" in elem ) { + + // Check for inherited disabledness on relevant non-disabled elements: + // * listed form-associated elements in a disabled fieldset + // https://html.spec.whatwg.org/multipage/forms.html#category-listed + // https://html.spec.whatwg.org/multipage/forms.html#concept-fe-disabled + // * option elements in a disabled optgroup + // https://html.spec.whatwg.org/multipage/forms.html#concept-option-disabled + // All such elements have a "form" property. + if ( elem.parentNode && elem.disabled === false ) { + + // Option elements defer to a parent optgroup if present + if ( "label" in elem ) { + if ( "label" in elem.parentNode ) { + return elem.parentNode.disabled === disabled; + } else { + return elem.disabled === disabled; + } + } + + // Support: IE 6 - 11 + // Use the isDisabled shortcut property to check for disabled fieldset ancestors + return elem.isDisabled === disabled || + + // Where there is no isDisabled, check manually + /* jshint -W018 */ + elem.isDisabled !== !disabled && + disabledAncestor( elem ) === disabled; + } + + return elem.disabled === disabled; + + // Try to winnow out elements that can't be disabled before trusting the disabled property. + // Some victims get caught in our net (label, legend, menu, track), but it shouldn't + // even exist on them, let alone have a boolean value. + } else if ( "label" in elem ) { + return elem.disabled === disabled; + } + + // Remaining elements are neither :enabled nor :disabled + return false; + }; +} + +/** + * Returns a function to use in pseudos for positionals + * @param {Function} fn + */ +function createPositionalPseudo( fn ) { + return markFunction(function( argument ) { + argument = +argument; + return markFunction(function( seed, matches ) { + var j, + matchIndexes = fn( [], seed.length, argument ), + i = matchIndexes.length; + + // Match elements found at the specified indexes + while ( i-- ) { + if ( seed[ (j = matchIndexes[i]) ] ) { + seed[j] = !(matches[j] = seed[j]); + } + } + }); + }); +} + +/** + * Checks a node for validity as a Sizzle context + * @param {Element|Object=} context + * @returns {Element|Object|Boolean} The input node if acceptable, otherwise a falsy value + */ +function testContext( context ) { + return context && typeof context.getElementsByTagName !== "undefined" && context; +} + +// Expose support vars for convenience +support = Sizzle.support = {}; + +/** + * Detects XML nodes + * @param {Element|Object} elem An element or a document + * @returns {Boolean} True iff elem is a non-HTML XML node + */ +isXML = Sizzle.isXML = function( elem ) { + // documentElement is verified for cases where it doesn't yet exist + // (such as loading iframes in IE - #4833) + var documentElement = elem && (elem.ownerDocument || elem).documentElement; + return documentElement ? documentElement.nodeName !== "HTML" : false; +}; + +/** + * Sets document-related variables once based on the current document + * @param {Element|Object} [doc] An element or document object to use to set the document + * @returns {Object} Returns the current document + */ +setDocument = Sizzle.setDocument = function( node ) { + var hasCompare, subWindow, + doc = node ? node.ownerDocument || node : preferredDoc; + + // Return early if doc is invalid or already selected + if ( doc === document || doc.nodeType !== 9 || !doc.documentElement ) { + return document; + } + + // Update global variables + document = doc; + docElem = document.documentElement; + documentIsHTML = !isXML( document ); + + // Support: IE 9-11, Edge + // Accessing iframe documents after unload throws "permission denied" errors (jQuery #13936) + if ( preferredDoc !== document && + (subWindow = document.defaultView) && subWindow.top !== subWindow ) { + + // Support: IE 11, Edge + if ( subWindow.addEventListener ) { + subWindow.addEventListener( "unload", unloadHandler, false ); + + // Support: IE 9 - 10 only + } else if ( subWindow.attachEvent ) { + subWindow.attachEvent( "onunload", unloadHandler ); + } + } + + /* Attributes + ---------------------------------------------------------------------- */ + + // Support: IE<8 + // Verify that getAttribute really returns attributes and not properties + // (excepting IE8 booleans) + support.attributes = assert(function( el ) { + el.className = "i"; + return !el.getAttribute("className"); + }); + + /* getElement(s)By* + ---------------------------------------------------------------------- */ + + // Check if getElementsByTagName("*") returns only elements + support.getElementsByTagName = assert(function( el ) { + el.appendChild( document.createComment("") ); + return !el.getElementsByTagName("*").length; + }); + + // Support: IE<9 + support.getElementsByClassName = rnative.test( document.getElementsByClassName ); + + // Support: IE<10 + // Check if getElementById returns elements by name + // The broken getElementById methods don't pick up programmatically-set names, + // so use a roundabout getElementsByName test + support.getById = assert(function( el ) { + docElem.appendChild( el ).id = expando; + return !document.getElementsByName || !document.getElementsByName( expando ).length; + }); + + // ID filter and find + if ( support.getById ) { + Expr.filter["ID"] = function( id ) { + var attrId = id.replace( runescape, funescape ); + return function( elem ) { + return elem.getAttribute("id") === attrId; + }; + }; + Expr.find["ID"] = function( id, context ) { + if ( typeof context.getElementById !== "undefined" && documentIsHTML ) { + var elem = context.getElementById( id ); + return elem ? [ elem ] : []; + } + }; + } else { + Expr.filter["ID"] = function( id ) { + var attrId = id.replace( runescape, funescape ); + return function( elem ) { + var node = typeof elem.getAttributeNode !== "undefined" && + elem.getAttributeNode("id"); + return node && node.value === attrId; + }; + }; + + // Support: IE 6 - 7 only + // getElementById is not reliable as a find shortcut + Expr.find["ID"] = function( id, context ) { + if ( typeof context.getElementById !== "undefined" && documentIsHTML ) { + var node, i, elems, + elem = context.getElementById( id ); + + if ( elem ) { + + // Verify the id attribute + node = elem.getAttributeNode("id"); + if ( node && node.value === id ) { + return [ elem ]; + } + + // Fall back on getElementsByName + elems = context.getElementsByName( id ); + i = 0; + while ( (elem = elems[i++]) ) { + node = elem.getAttributeNode("id"); + if ( node && node.value === id ) { + return [ elem ]; + } + } + } + + return []; + } + }; + } + + // Tag + Expr.find["TAG"] = support.getElementsByTagName ? + function( tag, context ) { + if ( typeof context.getElementsByTagName !== "undefined" ) { + return context.getElementsByTagName( tag ); + + // DocumentFragment nodes don't have gEBTN + } else if ( support.qsa ) { + return context.querySelectorAll( tag ); + } + } : + + function( tag, context ) { + var elem, + tmp = [], + i = 0, + // By happy coincidence, a (broken) gEBTN appears on DocumentFragment nodes too + results = context.getElementsByTagName( tag ); + + // Filter out possible comments + if ( tag === "*" ) { + while ( (elem = results[i++]) ) { + if ( elem.nodeType === 1 ) { + tmp.push( elem ); + } + } + + return tmp; + } + return results; + }; + + // Class + Expr.find["CLASS"] = support.getElementsByClassName && function( className, context ) { + if ( typeof context.getElementsByClassName !== "undefined" && documentIsHTML ) { + return context.getElementsByClassName( className ); + } + }; + + /* QSA/matchesSelector + ---------------------------------------------------------------------- */ + + // QSA and matchesSelector support + + // matchesSelector(:active) reports false when true (IE9/Opera 11.5) + rbuggyMatches = []; + + // qSa(:focus) reports false when true (Chrome 21) + // We allow this because of a bug in IE8/9 that throws an error + // whenever `document.activeElement` is accessed on an iframe + // So, we allow :focus to pass through QSA all the time to avoid the IE error + // See https://bugs.jquery.com/ticket/13378 + rbuggyQSA = []; + + if ( (support.qsa = rnative.test( document.querySelectorAll )) ) { + // Build QSA regex + // Regex strategy adopted from Diego Perini + assert(function( el ) { + // Select is set to empty string on purpose + // This is to test IE's treatment of not explicitly + // setting a boolean content attribute, + // since its presence should be enough + // https://bugs.jquery.com/ticket/12359 + docElem.appendChild( el ).innerHTML = "" + + ""; + + // Support: IE8, Opera 11-12.16 + // Nothing should be selected when empty strings follow ^= or $= or *= + // The test attribute must be unknown in Opera but "safe" for WinRT + // https://msdn.microsoft.com/en-us/library/ie/hh465388.aspx#attribute_section + if ( el.querySelectorAll("[msallowcapture^='']").length ) { + rbuggyQSA.push( "[*^$]=" + whitespace + "*(?:''|\"\")" ); + } + + // Support: IE8 + // Boolean attributes and "value" are not treated correctly + if ( !el.querySelectorAll("[selected]").length ) { + rbuggyQSA.push( "\\[" + whitespace + "*(?:value|" + booleans + ")" ); + } + + // Support: Chrome<29, Android<4.4, Safari<7.0+, iOS<7.0+, PhantomJS<1.9.8+ + if ( !el.querySelectorAll( "[id~=" + expando + "-]" ).length ) { + rbuggyQSA.push("~="); + } + + // Webkit/Opera - :checked should return selected option elements + // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked + // IE8 throws error here and will not see later tests + if ( !el.querySelectorAll(":checked").length ) { + rbuggyQSA.push(":checked"); + } + + // Support: Safari 8+, iOS 8+ + // https://bugs.webkit.org/show_bug.cgi?id=136851 + // In-page `selector#id sibling-combinator selector` fails + if ( !el.querySelectorAll( "a#" + expando + "+*" ).length ) { + rbuggyQSA.push(".#.+[+~]"); + } + }); + + assert(function( el ) { + el.innerHTML = "" + + ""; + + // Support: Windows 8 Native Apps + // The type and name attributes are restricted during .innerHTML assignment + var input = document.createElement("input"); + input.setAttribute( "type", "hidden" ); + el.appendChild( input ).setAttribute( "name", "D" ); + + // Support: IE8 + // Enforce case-sensitivity of name attribute + if ( el.querySelectorAll("[name=d]").length ) { + rbuggyQSA.push( "name" + whitespace + "*[*^$|!~]?=" ); + } + + // FF 3.5 - :enabled/:disabled and hidden elements (hidden elements are still enabled) + // IE8 throws error here and will not see later tests + if ( el.querySelectorAll(":enabled").length !== 2 ) { + rbuggyQSA.push( ":enabled", ":disabled" ); + } + + // Support: IE9-11+ + // IE's :disabled selector does not pick up the children of disabled fieldsets + docElem.appendChild( el ).disabled = true; + if ( el.querySelectorAll(":disabled").length !== 2 ) { + rbuggyQSA.push( ":enabled", ":disabled" ); + } + + // Opera 10-11 does not throw on post-comma invalid pseudos + el.querySelectorAll("*,:x"); + rbuggyQSA.push(",.*:"); + }); + } + + if ( (support.matchesSelector = rnative.test( (matches = docElem.matches || + docElem.webkitMatchesSelector || + docElem.mozMatchesSelector || + docElem.oMatchesSelector || + docElem.msMatchesSelector) )) ) { + + assert(function( el ) { + // Check to see if it's possible to do matchesSelector + // on a disconnected node (IE 9) + support.disconnectedMatch = matches.call( el, "*" ); + + // This should fail with an exception + // Gecko does not error, returns false instead + matches.call( el, "[s!='']:x" ); + rbuggyMatches.push( "!=", pseudos ); + }); + } + + rbuggyQSA = rbuggyQSA.length && new RegExp( rbuggyQSA.join("|") ); + rbuggyMatches = rbuggyMatches.length && new RegExp( rbuggyMatches.join("|") ); + + /* Contains + ---------------------------------------------------------------------- */ + hasCompare = rnative.test( docElem.compareDocumentPosition ); + + // Element contains another + // Purposefully self-exclusive + // As in, an element does not contain itself + contains = hasCompare || rnative.test( docElem.contains ) ? + function( a, b ) { + var adown = a.nodeType === 9 ? a.documentElement : a, + bup = b && b.parentNode; + return a === bup || !!( bup && bup.nodeType === 1 && ( + adown.contains ? + adown.contains( bup ) : + a.compareDocumentPosition && a.compareDocumentPosition( bup ) & 16 + )); + } : + function( a, b ) { + if ( b ) { + while ( (b = b.parentNode) ) { + if ( b === a ) { + return true; + } + } + } + return false; + }; + + /* Sorting + ---------------------------------------------------------------------- */ + + // Document order sorting + sortOrder = hasCompare ? + function( a, b ) { + + // Flag for duplicate removal + if ( a === b ) { + hasDuplicate = true; + return 0; + } + + // Sort on method existence if only one input has compareDocumentPosition + var compare = !a.compareDocumentPosition - !b.compareDocumentPosition; + if ( compare ) { + return compare; + } + + // Calculate position if both inputs belong to the same document + compare = ( a.ownerDocument || a ) === ( b.ownerDocument || b ) ? + a.compareDocumentPosition( b ) : + + // Otherwise we know they are disconnected + 1; + + // Disconnected nodes + if ( compare & 1 || + (!support.sortDetached && b.compareDocumentPosition( a ) === compare) ) { + + // Choose the first element that is related to our preferred document + if ( a === document || a.ownerDocument === preferredDoc && contains(preferredDoc, a) ) { + return -1; + } + if ( b === document || b.ownerDocument === preferredDoc && contains(preferredDoc, b) ) { + return 1; + } + + // Maintain original order + return sortInput ? + ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) : + 0; + } + + return compare & 4 ? -1 : 1; + } : + function( a, b ) { + // Exit early if the nodes are identical + if ( a === b ) { + hasDuplicate = true; + return 0; + } + + var cur, + i = 0, + aup = a.parentNode, + bup = b.parentNode, + ap = [ a ], + bp = [ b ]; + + // Parentless nodes are either documents or disconnected + if ( !aup || !bup ) { + return a === document ? -1 : + b === document ? 1 : + aup ? -1 : + bup ? 1 : + sortInput ? + ( indexOf( sortInput, a ) - indexOf( sortInput, b ) ) : + 0; + + // If the nodes are siblings, we can do a quick check + } else if ( aup === bup ) { + return siblingCheck( a, b ); + } + + // Otherwise we need full lists of their ancestors for comparison + cur = a; + while ( (cur = cur.parentNode) ) { + ap.unshift( cur ); + } + cur = b; + while ( (cur = cur.parentNode) ) { + bp.unshift( cur ); + } + + // Walk down the tree looking for a discrepancy + while ( ap[i] === bp[i] ) { + i++; + } + + return i ? + // Do a sibling check if the nodes have a common ancestor + siblingCheck( ap[i], bp[i] ) : + + // Otherwise nodes in our document sort first + ap[i] === preferredDoc ? -1 : + bp[i] === preferredDoc ? 1 : + 0; + }; + + return document; +}; + +Sizzle.matches = function( expr, elements ) { + return Sizzle( expr, null, null, elements ); +}; + +Sizzle.matchesSelector = function( elem, expr ) { + // Set document vars if needed + if ( ( elem.ownerDocument || elem ) !== document ) { + setDocument( elem ); + } + + // Make sure that attribute selectors are quoted + expr = expr.replace( rattributeQuotes, "='$1']" ); + + if ( support.matchesSelector && documentIsHTML && + !compilerCache[ expr + " " ] && + ( !rbuggyMatches || !rbuggyMatches.test( expr ) ) && + ( !rbuggyQSA || !rbuggyQSA.test( expr ) ) ) { + + try { + var ret = matches.call( elem, expr ); + + // IE 9's matchesSelector returns false on disconnected nodes + if ( ret || support.disconnectedMatch || + // As well, disconnected nodes are said to be in a document + // fragment in IE 9 + elem.document && elem.document.nodeType !== 11 ) { + return ret; + } + } catch (e) {} + } + + return Sizzle( expr, document, null, [ elem ] ).length > 0; +}; + +Sizzle.contains = function( context, elem ) { + // Set document vars if needed + if ( ( context.ownerDocument || context ) !== document ) { + setDocument( context ); + } + return contains( context, elem ); +}; + +Sizzle.attr = function( elem, name ) { + // Set document vars if needed + if ( ( elem.ownerDocument || elem ) !== document ) { + setDocument( elem ); + } + + var fn = Expr.attrHandle[ name.toLowerCase() ], + // Don't get fooled by Object.prototype properties (jQuery #13807) + val = fn && hasOwn.call( Expr.attrHandle, name.toLowerCase() ) ? + fn( elem, name, !documentIsHTML ) : + undefined; + + return val !== undefined ? + val : + support.attributes || !documentIsHTML ? + elem.getAttribute( name ) : + (val = elem.getAttributeNode(name)) && val.specified ? + val.value : + null; +}; + +Sizzle.escape = function( sel ) { + return (sel + "").replace( rcssescape, fcssescape ); +}; + +Sizzle.error = function( msg ) { + throw new Error( "Syntax error, unrecognized expression: " + msg ); +}; + +/** + * Document sorting and removing duplicates + * @param {ArrayLike} results + */ +Sizzle.uniqueSort = function( results ) { + var elem, + duplicates = [], + j = 0, + i = 0; + + // Unless we *know* we can detect duplicates, assume their presence + hasDuplicate = !support.detectDuplicates; + sortInput = !support.sortStable && results.slice( 0 ); + results.sort( sortOrder ); + + if ( hasDuplicate ) { + while ( (elem = results[i++]) ) { + if ( elem === results[ i ] ) { + j = duplicates.push( i ); + } + } + while ( j-- ) { + results.splice( duplicates[ j ], 1 ); + } + } + + // Clear input after sorting to release objects + // See https://github.com/jquery/sizzle/pull/225 + sortInput = null; + + return results; +}; + +/** + * Utility function for retrieving the text value of an array of DOM nodes + * @param {Array|Element} elem + */ +getText = Sizzle.getText = function( elem ) { + var node, + ret = "", + i = 0, + nodeType = elem.nodeType; + + if ( !nodeType ) { + // If no nodeType, this is expected to be an array + while ( (node = elem[i++]) ) { + // Do not traverse comment nodes + ret += getText( node ); + } + } else if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) { + // Use textContent for elements + // innerText usage removed for consistency of new lines (jQuery #11153) + if ( typeof elem.textContent === "string" ) { + return elem.textContent; + } else { + // Traverse its children + for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { + ret += getText( elem ); + } + } + } else if ( nodeType === 3 || nodeType === 4 ) { + return elem.nodeValue; + } + // Do not include comment or processing instruction nodes + + return ret; +}; + +Expr = Sizzle.selectors = { + + // Can be adjusted by the user + cacheLength: 50, + + createPseudo: markFunction, + + match: matchExpr, + + attrHandle: {}, + + find: {}, + + relative: { + ">": { dir: "parentNode", first: true }, + " ": { dir: "parentNode" }, + "+": { dir: "previousSibling", first: true }, + "~": { dir: "previousSibling" } + }, + + preFilter: { + "ATTR": function( match ) { + match[1] = match[1].replace( runescape, funescape ); + + // Move the given value to match[3] whether quoted or unquoted + match[3] = ( match[3] || match[4] || match[5] || "" ).replace( runescape, funescape ); + + if ( match[2] === "~=" ) { + match[3] = " " + match[3] + " "; + } + + return match.slice( 0, 4 ); + }, + + "CHILD": function( match ) { + /* matches from matchExpr["CHILD"] + 1 type (only|nth|...) + 2 what (child|of-type) + 3 argument (even|odd|\d*|\d*n([+-]\d+)?|...) + 4 xn-component of xn+y argument ([+-]?\d*n|) + 5 sign of xn-component + 6 x of xn-component + 7 sign of y-component + 8 y of y-component + */ + match[1] = match[1].toLowerCase(); + + if ( match[1].slice( 0, 3 ) === "nth" ) { + // nth-* requires argument + if ( !match[3] ) { + Sizzle.error( match[0] ); + } + + // numeric x and y parameters for Expr.filter.CHILD + // remember that false/true cast respectively to 0/1 + match[4] = +( match[4] ? match[5] + (match[6] || 1) : 2 * ( match[3] === "even" || match[3] === "odd" ) ); + match[5] = +( ( match[7] + match[8] ) || match[3] === "odd" ); + + // other types prohibit arguments + } else if ( match[3] ) { + Sizzle.error( match[0] ); + } + + return match; + }, + + "PSEUDO": function( match ) { + var excess, + unquoted = !match[6] && match[2]; + + if ( matchExpr["CHILD"].test( match[0] ) ) { + return null; + } + + // Accept quoted arguments as-is + if ( match[3] ) { + match[2] = match[4] || match[5] || ""; + + // Strip excess characters from unquoted arguments + } else if ( unquoted && rpseudo.test( unquoted ) && + // Get excess from tokenize (recursively) + (excess = tokenize( unquoted, true )) && + // advance to the next closing parenthesis + (excess = unquoted.indexOf( ")", unquoted.length - excess ) - unquoted.length) ) { + + // excess is a negative index + match[0] = match[0].slice( 0, excess ); + match[2] = unquoted.slice( 0, excess ); + } + + // Return only captures needed by the pseudo filter method (type and argument) + return match.slice( 0, 3 ); + } + }, + + filter: { + + "TAG": function( nodeNameSelector ) { + var nodeName = nodeNameSelector.replace( runescape, funescape ).toLowerCase(); + return nodeNameSelector === "*" ? + function() { return true; } : + function( elem ) { + return elem.nodeName && elem.nodeName.toLowerCase() === nodeName; + }; + }, + + "CLASS": function( className ) { + var pattern = classCache[ className + " " ]; + + return pattern || + (pattern = new RegExp( "(^|" + whitespace + ")" + className + "(" + whitespace + "|$)" )) && + classCache( className, function( elem ) { + return pattern.test( typeof elem.className === "string" && elem.className || typeof elem.getAttribute !== "undefined" && elem.getAttribute("class") || "" ); + }); + }, + + "ATTR": function( name, operator, check ) { + return function( elem ) { + var result = Sizzle.attr( elem, name ); + + if ( result == null ) { + return operator === "!="; + } + if ( !operator ) { + return true; + } + + result += ""; + + return operator === "=" ? result === check : + operator === "!=" ? result !== check : + operator === "^=" ? check && result.indexOf( check ) === 0 : + operator === "*=" ? check && result.indexOf( check ) > -1 : + operator === "$=" ? check && result.slice( -check.length ) === check : + operator === "~=" ? ( " " + result.replace( rwhitespace, " " ) + " " ).indexOf( check ) > -1 : + operator === "|=" ? result === check || result.slice( 0, check.length + 1 ) === check + "-" : + false; + }; + }, + + "CHILD": function( type, what, argument, first, last ) { + var simple = type.slice( 0, 3 ) !== "nth", + forward = type.slice( -4 ) !== "last", + ofType = what === "of-type"; + + return first === 1 && last === 0 ? + + // Shortcut for :nth-*(n) + function( elem ) { + return !!elem.parentNode; + } : + + function( elem, context, xml ) { + var cache, uniqueCache, outerCache, node, nodeIndex, start, + dir = simple !== forward ? "nextSibling" : "previousSibling", + parent = elem.parentNode, + name = ofType && elem.nodeName.toLowerCase(), + useCache = !xml && !ofType, + diff = false; + + if ( parent ) { + + // :(first|last|only)-(child|of-type) + if ( simple ) { + while ( dir ) { + node = elem; + while ( (node = node[ dir ]) ) { + if ( ofType ? + node.nodeName.toLowerCase() === name : + node.nodeType === 1 ) { + + return false; + } + } + // Reverse direction for :only-* (if we haven't yet done so) + start = dir = type === "only" && !start && "nextSibling"; + } + return true; + } + + start = [ forward ? parent.firstChild : parent.lastChild ]; + + // non-xml :nth-child(...) stores cache data on `parent` + if ( forward && useCache ) { + + // Seek `elem` from a previously-cached index + + // ...in a gzip-friendly way + node = parent; + outerCache = node[ expando ] || (node[ expando ] = {}); + + // Support: IE <9 only + // Defend against cloned attroperties (jQuery gh-1709) + uniqueCache = outerCache[ node.uniqueID ] || + (outerCache[ node.uniqueID ] = {}); + + cache = uniqueCache[ type ] || []; + nodeIndex = cache[ 0 ] === dirruns && cache[ 1 ]; + diff = nodeIndex && cache[ 2 ]; + node = nodeIndex && parent.childNodes[ nodeIndex ]; + + while ( (node = ++nodeIndex && node && node[ dir ] || + + // Fallback to seeking `elem` from the start + (diff = nodeIndex = 0) || start.pop()) ) { + + // When found, cache indexes on `parent` and break + if ( node.nodeType === 1 && ++diff && node === elem ) { + uniqueCache[ type ] = [ dirruns, nodeIndex, diff ]; + break; + } + } + + } else { + // Use previously-cached element index if available + if ( useCache ) { + // ...in a gzip-friendly way + node = elem; + outerCache = node[ expando ] || (node[ expando ] = {}); + + // Support: IE <9 only + // Defend against cloned attroperties (jQuery gh-1709) + uniqueCache = outerCache[ node.uniqueID ] || + (outerCache[ node.uniqueID ] = {}); + + cache = uniqueCache[ type ] || []; + nodeIndex = cache[ 0 ] === dirruns && cache[ 1 ]; + diff = nodeIndex; + } + + // xml :nth-child(...) + // or :nth-last-child(...) or :nth(-last)?-of-type(...) + if ( diff === false ) { + // Use the same loop as above to seek `elem` from the start + while ( (node = ++nodeIndex && node && node[ dir ] || + (diff = nodeIndex = 0) || start.pop()) ) { + + if ( ( ofType ? + node.nodeName.toLowerCase() === name : + node.nodeType === 1 ) && + ++diff ) { + + // Cache the index of each encountered element + if ( useCache ) { + outerCache = node[ expando ] || (node[ expando ] = {}); + + // Support: IE <9 only + // Defend against cloned attroperties (jQuery gh-1709) + uniqueCache = outerCache[ node.uniqueID ] || + (outerCache[ node.uniqueID ] = {}); + + uniqueCache[ type ] = [ dirruns, diff ]; + } + + if ( node === elem ) { + break; + } + } + } + } + } + + // Incorporate the offset, then check against cycle size + diff -= last; + return diff === first || ( diff % first === 0 && diff / first >= 0 ); + } + }; + }, + + "PSEUDO": function( pseudo, argument ) { + // pseudo-class names are case-insensitive + // http://www.w3.org/TR/selectors/#pseudo-classes + // Prioritize by case sensitivity in case custom pseudos are added with uppercase letters + // Remember that setFilters inherits from pseudos + var args, + fn = Expr.pseudos[ pseudo ] || Expr.setFilters[ pseudo.toLowerCase() ] || + Sizzle.error( "unsupported pseudo: " + pseudo ); + + // The user may use createPseudo to indicate that + // arguments are needed to create the filter function + // just as Sizzle does + if ( fn[ expando ] ) { + return fn( argument ); + } + + // But maintain support for old signatures + if ( fn.length > 1 ) { + args = [ pseudo, pseudo, "", argument ]; + return Expr.setFilters.hasOwnProperty( pseudo.toLowerCase() ) ? + markFunction(function( seed, matches ) { + var idx, + matched = fn( seed, argument ), + i = matched.length; + while ( i-- ) { + idx = indexOf( seed, matched[i] ); + seed[ idx ] = !( matches[ idx ] = matched[i] ); + } + }) : + function( elem ) { + return fn( elem, 0, args ); + }; + } + + return fn; + } + }, + + pseudos: { + // Potentially complex pseudos + "not": markFunction(function( selector ) { + // Trim the selector passed to compile + // to avoid treating leading and trailing + // spaces as combinators + var input = [], + results = [], + matcher = compile( selector.replace( rtrim, "$1" ) ); + + return matcher[ expando ] ? + markFunction(function( seed, matches, context, xml ) { + var elem, + unmatched = matcher( seed, null, xml, [] ), + i = seed.length; + + // Match elements unmatched by `matcher` + while ( i-- ) { + if ( (elem = unmatched[i]) ) { + seed[i] = !(matches[i] = elem); + } + } + }) : + function( elem, context, xml ) { + input[0] = elem; + matcher( input, null, xml, results ); + // Don't keep the element (issue #299) + input[0] = null; + return !results.pop(); + }; + }), + + "has": markFunction(function( selector ) { + return function( elem ) { + return Sizzle( selector, elem ).length > 0; + }; + }), + + "contains": markFunction(function( text ) { + text = text.replace( runescape, funescape ); + return function( elem ) { + return ( elem.textContent || elem.innerText || getText( elem ) ).indexOf( text ) > -1; + }; + }), + + // "Whether an element is represented by a :lang() selector + // is based solely on the element's language value + // being equal to the identifier C, + // or beginning with the identifier C immediately followed by "-". + // The matching of C against the element's language value is performed case-insensitively. + // The identifier C does not have to be a valid language name." + // http://www.w3.org/TR/selectors/#lang-pseudo + "lang": markFunction( function( lang ) { + // lang value must be a valid identifier + if ( !ridentifier.test(lang || "") ) { + Sizzle.error( "unsupported lang: " + lang ); + } + lang = lang.replace( runescape, funescape ).toLowerCase(); + return function( elem ) { + var elemLang; + do { + if ( (elemLang = documentIsHTML ? + elem.lang : + elem.getAttribute("xml:lang") || elem.getAttribute("lang")) ) { + + elemLang = elemLang.toLowerCase(); + return elemLang === lang || elemLang.indexOf( lang + "-" ) === 0; + } + } while ( (elem = elem.parentNode) && elem.nodeType === 1 ); + return false; + }; + }), + + // Miscellaneous + "target": function( elem ) { + var hash = window.location && window.location.hash; + return hash && hash.slice( 1 ) === elem.id; + }, + + "root": function( elem ) { + return elem === docElem; + }, + + "focus": function( elem ) { + return elem === document.activeElement && (!document.hasFocus || document.hasFocus()) && !!(elem.type || elem.href || ~elem.tabIndex); + }, + + // Boolean properties + "enabled": createDisabledPseudo( false ), + "disabled": createDisabledPseudo( true ), + + "checked": function( elem ) { + // In CSS3, :checked should return both checked and selected elements + // http://www.w3.org/TR/2011/REC-css3-selectors-20110929/#checked + var nodeName = elem.nodeName.toLowerCase(); + return (nodeName === "input" && !!elem.checked) || (nodeName === "option" && !!elem.selected); + }, + + "selected": function( elem ) { + // Accessing this property makes selected-by-default + // options in Safari work properly + if ( elem.parentNode ) { + elem.parentNode.selectedIndex; + } + + return elem.selected === true; + }, + + // Contents + "empty": function( elem ) { + // http://www.w3.org/TR/selectors/#empty-pseudo + // :empty is negated by element (1) or content nodes (text: 3; cdata: 4; entity ref: 5), + // but not by others (comment: 8; processing instruction: 7; etc.) + // nodeType < 6 works because attributes (2) do not appear as children + for ( elem = elem.firstChild; elem; elem = elem.nextSibling ) { + if ( elem.nodeType < 6 ) { + return false; + } + } + return true; + }, + + "parent": function( elem ) { + return !Expr.pseudos["empty"]( elem ); + }, + + // Element/input types + "header": function( elem ) { + return rheader.test( elem.nodeName ); + }, + + "input": function( elem ) { + return rinputs.test( elem.nodeName ); + }, + + "button": function( elem ) { + var name = elem.nodeName.toLowerCase(); + return name === "input" && elem.type === "button" || name === "button"; + }, + + "text": function( elem ) { + var attr; + return elem.nodeName.toLowerCase() === "input" && + elem.type === "text" && + + // Support: IE<8 + // New HTML5 attribute values (e.g., "search") appear with elem.type === "text" + ( (attr = elem.getAttribute("type")) == null || attr.toLowerCase() === "text" ); + }, + + // Position-in-collection + "first": createPositionalPseudo(function() { + return [ 0 ]; + }), + + "last": createPositionalPseudo(function( matchIndexes, length ) { + return [ length - 1 ]; + }), + + "eq": createPositionalPseudo(function( matchIndexes, length, argument ) { + return [ argument < 0 ? argument + length : argument ]; + }), + + "even": createPositionalPseudo(function( matchIndexes, length ) { + var i = 0; + for ( ; i < length; i += 2 ) { + matchIndexes.push( i ); + } + return matchIndexes; + }), + + "odd": createPositionalPseudo(function( matchIndexes, length ) { + var i = 1; + for ( ; i < length; i += 2 ) { + matchIndexes.push( i ); + } + return matchIndexes; + }), + + "lt": createPositionalPseudo(function( matchIndexes, length, argument ) { + var i = argument < 0 ? argument + length : argument; + for ( ; --i >= 0; ) { + matchIndexes.push( i ); + } + return matchIndexes; + }), + + "gt": createPositionalPseudo(function( matchIndexes, length, argument ) { + var i = argument < 0 ? argument + length : argument; + for ( ; ++i < length; ) { + matchIndexes.push( i ); + } + return matchIndexes; + }) + } +}; + +Expr.pseudos["nth"] = Expr.pseudos["eq"]; + +// Add button/input type pseudos +for ( i in { radio: true, checkbox: true, file: true, password: true, image: true } ) { + Expr.pseudos[ i ] = createInputPseudo( i ); +} +for ( i in { submit: true, reset: true } ) { + Expr.pseudos[ i ] = createButtonPseudo( i ); +} + +// Easy API for creating new setFilters +function setFilters() {} +setFilters.prototype = Expr.filters = Expr.pseudos; +Expr.setFilters = new setFilters(); + +tokenize = Sizzle.tokenize = function( selector, parseOnly ) { + var matched, match, tokens, type, + soFar, groups, preFilters, + cached = tokenCache[ selector + " " ]; + + if ( cached ) { + return parseOnly ? 0 : cached.slice( 0 ); + } + + soFar = selector; + groups = []; + preFilters = Expr.preFilter; + + while ( soFar ) { + + // Comma and first run + if ( !matched || (match = rcomma.exec( soFar )) ) { + if ( match ) { + // Don't consume trailing commas as valid + soFar = soFar.slice( match[0].length ) || soFar; + } + groups.push( (tokens = []) ); + } + + matched = false; + + // Combinators + if ( (match = rcombinators.exec( soFar )) ) { + matched = match.shift(); + tokens.push({ + value: matched, + // Cast descendant combinators to space + type: match[0].replace( rtrim, " " ) + }); + soFar = soFar.slice( matched.length ); + } + + // Filters + for ( type in Expr.filter ) { + if ( (match = matchExpr[ type ].exec( soFar )) && (!preFilters[ type ] || + (match = preFilters[ type ]( match ))) ) { + matched = match.shift(); + tokens.push({ + value: matched, + type: type, + matches: match + }); + soFar = soFar.slice( matched.length ); + } + } + + if ( !matched ) { + break; + } + } + + // Return the length of the invalid excess + // if we're just parsing + // Otherwise, throw an error or return tokens + return parseOnly ? + soFar.length : + soFar ? + Sizzle.error( selector ) : + // Cache the tokens + tokenCache( selector, groups ).slice( 0 ); +}; + +function toSelector( tokens ) { + var i = 0, + len = tokens.length, + selector = ""; + for ( ; i < len; i++ ) { + selector += tokens[i].value; + } + return selector; +} + +function addCombinator( matcher, combinator, base ) { + var dir = combinator.dir, + skip = combinator.next, + key = skip || dir, + checkNonElements = base && key === "parentNode", + doneName = done++; + + return combinator.first ? + // Check against closest ancestor/preceding element + function( elem, context, xml ) { + while ( (elem = elem[ dir ]) ) { + if ( elem.nodeType === 1 || checkNonElements ) { + return matcher( elem, context, xml ); + } + } + return false; + } : + + // Check against all ancestor/preceding elements + function( elem, context, xml ) { + var oldCache, uniqueCache, outerCache, + newCache = [ dirruns, doneName ]; + + // We can't set arbitrary data on XML nodes, so they don't benefit from combinator caching + if ( xml ) { + while ( (elem = elem[ dir ]) ) { + if ( elem.nodeType === 1 || checkNonElements ) { + if ( matcher( elem, context, xml ) ) { + return true; + } + } + } + } else { + while ( (elem = elem[ dir ]) ) { + if ( elem.nodeType === 1 || checkNonElements ) { + outerCache = elem[ expando ] || (elem[ expando ] = {}); + + // Support: IE <9 only + // Defend against cloned attroperties (jQuery gh-1709) + uniqueCache = outerCache[ elem.uniqueID ] || (outerCache[ elem.uniqueID ] = {}); + + if ( skip && skip === elem.nodeName.toLowerCase() ) { + elem = elem[ dir ] || elem; + } else if ( (oldCache = uniqueCache[ key ]) && + oldCache[ 0 ] === dirruns && oldCache[ 1 ] === doneName ) { + + // Assign to newCache so results back-propagate to previous elements + return (newCache[ 2 ] = oldCache[ 2 ]); + } else { + // Reuse newcache so results back-propagate to previous elements + uniqueCache[ key ] = newCache; + + // A match means we're done; a fail means we have to keep checking + if ( (newCache[ 2 ] = matcher( elem, context, xml )) ) { + return true; + } + } + } + } + } + return false; + }; +} + +function elementMatcher( matchers ) { + return matchers.length > 1 ? + function( elem, context, xml ) { + var i = matchers.length; + while ( i-- ) { + if ( !matchers[i]( elem, context, xml ) ) { + return false; + } + } + return true; + } : + matchers[0]; +} + +function multipleContexts( selector, contexts, results ) { + var i = 0, + len = contexts.length; + for ( ; i < len; i++ ) { + Sizzle( selector, contexts[i], results ); + } + return results; +} + +function condense( unmatched, map, filter, context, xml ) { + var elem, + newUnmatched = [], + i = 0, + len = unmatched.length, + mapped = map != null; + + for ( ; i < len; i++ ) { + if ( (elem = unmatched[i]) ) { + if ( !filter || filter( elem, context, xml ) ) { + newUnmatched.push( elem ); + if ( mapped ) { + map.push( i ); + } + } + } + } + + return newUnmatched; +} + +function setMatcher( preFilter, selector, matcher, postFilter, postFinder, postSelector ) { + if ( postFilter && !postFilter[ expando ] ) { + postFilter = setMatcher( postFilter ); + } + if ( postFinder && !postFinder[ expando ] ) { + postFinder = setMatcher( postFinder, postSelector ); + } + return markFunction(function( seed, results, context, xml ) { + var temp, i, elem, + preMap = [], + postMap = [], + preexisting = results.length, + + // Get initial elements from seed or context + elems = seed || multipleContexts( selector || "*", context.nodeType ? [ context ] : context, [] ), + + // Prefilter to get matcher input, preserving a map for seed-results synchronization + matcherIn = preFilter && ( seed || !selector ) ? + condense( elems, preMap, preFilter, context, xml ) : + elems, + + matcherOut = matcher ? + // If we have a postFinder, or filtered seed, or non-seed postFilter or preexisting results, + postFinder || ( seed ? preFilter : preexisting || postFilter ) ? + + // ...intermediate processing is necessary + [] : + + // ...otherwise use results directly + results : + matcherIn; + + // Find primary matches + if ( matcher ) { + matcher( matcherIn, matcherOut, context, xml ); + } + + // Apply postFilter + if ( postFilter ) { + temp = condense( matcherOut, postMap ); + postFilter( temp, [], context, xml ); + + // Un-match failing elements by moving them back to matcherIn + i = temp.length; + while ( i-- ) { + if ( (elem = temp[i]) ) { + matcherOut[ postMap[i] ] = !(matcherIn[ postMap[i] ] = elem); + } + } + } + + if ( seed ) { + if ( postFinder || preFilter ) { + if ( postFinder ) { + // Get the final matcherOut by condensing this intermediate into postFinder contexts + temp = []; + i = matcherOut.length; + while ( i-- ) { + if ( (elem = matcherOut[i]) ) { + // Restore matcherIn since elem is not yet a final match + temp.push( (matcherIn[i] = elem) ); + } + } + postFinder( null, (matcherOut = []), temp, xml ); + } + + // Move matched elements from seed to results to keep them synchronized + i = matcherOut.length; + while ( i-- ) { + if ( (elem = matcherOut[i]) && + (temp = postFinder ? indexOf( seed, elem ) : preMap[i]) > -1 ) { + + seed[temp] = !(results[temp] = elem); + } + } + } + + // Add elements to results, through postFinder if defined + } else { + matcherOut = condense( + matcherOut === results ? + matcherOut.splice( preexisting, matcherOut.length ) : + matcherOut + ); + if ( postFinder ) { + postFinder( null, results, matcherOut, xml ); + } else { + push.apply( results, matcherOut ); + } + } + }); +} + +function matcherFromTokens( tokens ) { + var checkContext, matcher, j, + len = tokens.length, + leadingRelative = Expr.relative[ tokens[0].type ], + implicitRelative = leadingRelative || Expr.relative[" "], + i = leadingRelative ? 1 : 0, + + // The foundational matcher ensures that elements are reachable from top-level context(s) + matchContext = addCombinator( function( elem ) { + return elem === checkContext; + }, implicitRelative, true ), + matchAnyContext = addCombinator( function( elem ) { + return indexOf( checkContext, elem ) > -1; + }, implicitRelative, true ), + matchers = [ function( elem, context, xml ) { + var ret = ( !leadingRelative && ( xml || context !== outermostContext ) ) || ( + (checkContext = context).nodeType ? + matchContext( elem, context, xml ) : + matchAnyContext( elem, context, xml ) ); + // Avoid hanging onto element (issue #299) + checkContext = null; + return ret; + } ]; + + for ( ; i < len; i++ ) { + if ( (matcher = Expr.relative[ tokens[i].type ]) ) { + matchers = [ addCombinator(elementMatcher( matchers ), matcher) ]; + } else { + matcher = Expr.filter[ tokens[i].type ].apply( null, tokens[i].matches ); + + // Return special upon seeing a positional matcher + if ( matcher[ expando ] ) { + // Find the next relative operator (if any) for proper handling + j = ++i; + for ( ; j < len; j++ ) { + if ( Expr.relative[ tokens[j].type ] ) { + break; + } + } + return setMatcher( + i > 1 && elementMatcher( matchers ), + i > 1 && toSelector( + // If the preceding token was a descendant combinator, insert an implicit any-element `*` + tokens.slice( 0, i - 1 ).concat({ value: tokens[ i - 2 ].type === " " ? "*" : "" }) + ).replace( rtrim, "$1" ), + matcher, + i < j && matcherFromTokens( tokens.slice( i, j ) ), + j < len && matcherFromTokens( (tokens = tokens.slice( j )) ), + j < len && toSelector( tokens ) + ); + } + matchers.push( matcher ); + } + } + + return elementMatcher( matchers ); +} + +function matcherFromGroupMatchers( elementMatchers, setMatchers ) { + var bySet = setMatchers.length > 0, + byElement = elementMatchers.length > 0, + superMatcher = function( seed, context, xml, results, outermost ) { + var elem, j, matcher, + matchedCount = 0, + i = "0", + unmatched = seed && [], + setMatched = [], + contextBackup = outermostContext, + // We must always have either seed elements or outermost context + elems = seed || byElement && Expr.find["TAG"]( "*", outermost ), + // Use integer dirruns iff this is the outermost matcher + dirrunsUnique = (dirruns += contextBackup == null ? 1 : Math.random() || 0.1), + len = elems.length; + + if ( outermost ) { + outermostContext = context === document || context || outermost; + } + + // Add elements passing elementMatchers directly to results + // Support: IE<9, Safari + // Tolerate NodeList properties (IE: "length"; Safari: ) matching elements by id + for ( ; i !== len && (elem = elems[i]) != null; i++ ) { + if ( byElement && elem ) { + j = 0; + if ( !context && elem.ownerDocument !== document ) { + setDocument( elem ); + xml = !documentIsHTML; + } + while ( (matcher = elementMatchers[j++]) ) { + if ( matcher( elem, context || document, xml) ) { + results.push( elem ); + break; + } + } + if ( outermost ) { + dirruns = dirrunsUnique; + } + } + + // Track unmatched elements for set filters + if ( bySet ) { + // They will have gone through all possible matchers + if ( (elem = !matcher && elem) ) { + matchedCount--; + } + + // Lengthen the array for every element, matched or not + if ( seed ) { + unmatched.push( elem ); + } + } + } + + // `i` is now the count of elements visited above, and adding it to `matchedCount` + // makes the latter nonnegative. + matchedCount += i; + + // Apply set filters to unmatched elements + // NOTE: This can be skipped if there are no unmatched elements (i.e., `matchedCount` + // equals `i`), unless we didn't visit _any_ elements in the above loop because we have + // no element matchers and no seed. + // Incrementing an initially-string "0" `i` allows `i` to remain a string only in that + // case, which will result in a "00" `matchedCount` that differs from `i` but is also + // numerically zero. + if ( bySet && i !== matchedCount ) { + j = 0; + while ( (matcher = setMatchers[j++]) ) { + matcher( unmatched, setMatched, context, xml ); + } + + if ( seed ) { + // Reintegrate element matches to eliminate the need for sorting + if ( matchedCount > 0 ) { + while ( i-- ) { + if ( !(unmatched[i] || setMatched[i]) ) { + setMatched[i] = pop.call( results ); + } + } + } + + // Discard index placeholder values to get only actual matches + setMatched = condense( setMatched ); + } + + // Add matches to results + push.apply( results, setMatched ); + + // Seedless set matches succeeding multiple successful matchers stipulate sorting + if ( outermost && !seed && setMatched.length > 0 && + ( matchedCount + setMatchers.length ) > 1 ) { + + Sizzle.uniqueSort( results ); + } + } + + // Override manipulation of globals by nested matchers + if ( outermost ) { + dirruns = dirrunsUnique; + outermostContext = contextBackup; + } + + return unmatched; + }; + + return bySet ? + markFunction( superMatcher ) : + superMatcher; +} + +compile = Sizzle.compile = function( selector, match /* Internal Use Only */ ) { + var i, + setMatchers = [], + elementMatchers = [], + cached = compilerCache[ selector + " " ]; + + if ( !cached ) { + // Generate a function of recursive functions that can be used to check each element + if ( !match ) { + match = tokenize( selector ); + } + i = match.length; + while ( i-- ) { + cached = matcherFromTokens( match[i] ); + if ( cached[ expando ] ) { + setMatchers.push( cached ); + } else { + elementMatchers.push( cached ); + } + } + + // Cache the compiled function + cached = compilerCache( selector, matcherFromGroupMatchers( elementMatchers, setMatchers ) ); + + // Save selector and tokenization + cached.selector = selector; + } + return cached; +}; + +/** + * A low-level selection function that works with Sizzle's compiled + * selector functions + * @param {String|Function} selector A selector or a pre-compiled + * selector function built with Sizzle.compile + * @param {Element} context + * @param {Array} [results] + * @param {Array} [seed] A set of elements to match against + */ +select = Sizzle.select = function( selector, context, results, seed ) { + var i, tokens, token, type, find, + compiled = typeof selector === "function" && selector, + match = !seed && tokenize( (selector = compiled.selector || selector) ); + + results = results || []; + + // Try to minimize operations if there is only one selector in the list and no seed + // (the latter of which guarantees us context) + if ( match.length === 1 ) { + + // Reduce context if the leading compound selector is an ID + tokens = match[0] = match[0].slice( 0 ); + if ( tokens.length > 2 && (token = tokens[0]).type === "ID" && + context.nodeType === 9 && documentIsHTML && Expr.relative[ tokens[1].type ] ) { + + context = ( Expr.find["ID"]( token.matches[0].replace(runescape, funescape), context ) || [] )[0]; + if ( !context ) { + return results; + + // Precompiled matchers will still verify ancestry, so step up a level + } else if ( compiled ) { + context = context.parentNode; + } + + selector = selector.slice( tokens.shift().value.length ); + } + + // Fetch a seed set for right-to-left matching + i = matchExpr["needsContext"].test( selector ) ? 0 : tokens.length; + while ( i-- ) { + token = tokens[i]; + + // Abort if we hit a combinator + if ( Expr.relative[ (type = token.type) ] ) { + break; + } + if ( (find = Expr.find[ type ]) ) { + // Search, expanding context for leading sibling combinators + if ( (seed = find( + token.matches[0].replace( runescape, funescape ), + rsibling.test( tokens[0].type ) && testContext( context.parentNode ) || context + )) ) { + + // If seed is empty or no tokens remain, we can return early + tokens.splice( i, 1 ); + selector = seed.length && toSelector( tokens ); + if ( !selector ) { + push.apply( results, seed ); + return results; + } + + break; + } + } + } + } + + // Compile and execute a filtering function if one is not provided + // Provide `match` to avoid retokenization if we modified the selector above + ( compiled || compile( selector, match ) )( + seed, + context, + !documentIsHTML, + results, + !context || rsibling.test( selector ) && testContext( context.parentNode ) || context + ); + return results; +}; + +// One-time assignments + +// Sort stability +support.sortStable = expando.split("").sort( sortOrder ).join("") === expando; + +// Support: Chrome 14-35+ +// Always assume duplicates if they aren't passed to the comparison function +support.detectDuplicates = !!hasDuplicate; + +// Initialize against the default document +setDocument(); + +// Support: Webkit<537.32 - Safari 6.0.3/Chrome 25 (fixed in Chrome 27) +// Detached nodes confoundingly follow *each other* +support.sortDetached = assert(function( el ) { + // Should return 1, but returns 4 (following) + return el.compareDocumentPosition( document.createElement("fieldset") ) & 1; +}); + +// Support: IE<8 +// Prevent attribute/property "interpolation" +// https://msdn.microsoft.com/en-us/library/ms536429%28VS.85%29.aspx +if ( !assert(function( el ) { + el.innerHTML = ""; + return el.firstChild.getAttribute("href") === "#" ; +}) ) { + addHandle( "type|href|height|width", function( elem, name, isXML ) { + if ( !isXML ) { + return elem.getAttribute( name, name.toLowerCase() === "type" ? 1 : 2 ); + } + }); +} + +// Support: IE<9 +// Use defaultValue in place of getAttribute("value") +if ( !support.attributes || !assert(function( el ) { + el.innerHTML = ""; + el.firstChild.setAttribute( "value", "" ); + return el.firstChild.getAttribute( "value" ) === ""; +}) ) { + addHandle( "value", function( elem, name, isXML ) { + if ( !isXML && elem.nodeName.toLowerCase() === "input" ) { + return elem.defaultValue; + } + }); +} + +// Support: IE<9 +// Use getAttributeNode to fetch booleans when getAttribute lies +if ( !assert(function( el ) { + return el.getAttribute("disabled") == null; +}) ) { + addHandle( booleans, function( elem, name, isXML ) { + var val; + if ( !isXML ) { + return elem[ name ] === true ? name.toLowerCase() : + (val = elem.getAttributeNode( name )) && val.specified ? + val.value : + null; + } + }); +} + +return Sizzle; + +})( window ); + + + +jQuery.find = Sizzle; +jQuery.expr = Sizzle.selectors; + +// Deprecated +jQuery.expr[ ":" ] = jQuery.expr.pseudos; +jQuery.uniqueSort = jQuery.unique = Sizzle.uniqueSort; +jQuery.text = Sizzle.getText; +jQuery.isXMLDoc = Sizzle.isXML; +jQuery.contains = Sizzle.contains; +jQuery.escapeSelector = Sizzle.escape; + + + + +var dir = function( elem, dir, until ) { + var matched = [], + truncate = until !== undefined; + + while ( ( elem = elem[ dir ] ) && elem.nodeType !== 9 ) { + if ( elem.nodeType === 1 ) { + if ( truncate && jQuery( elem ).is( until ) ) { + break; + } + matched.push( elem ); + } + } + return matched; +}; + + +var siblings = function( n, elem ) { + var matched = []; + + for ( ; n; n = n.nextSibling ) { + if ( n.nodeType === 1 && n !== elem ) { + matched.push( n ); + } + } + + return matched; +}; + + +var rneedsContext = jQuery.expr.match.needsContext; + + + +function nodeName( elem, name ) { + + return elem.nodeName && elem.nodeName.toLowerCase() === name.toLowerCase(); + +}; +var rsingleTag = ( /^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i ); + + + +// Implement the identical functionality for filter and not +function winnow( elements, qualifier, not ) { + if ( isFunction( qualifier ) ) { + return jQuery.grep( elements, function( elem, i ) { + return !!qualifier.call( elem, i, elem ) !== not; + } ); + } + + // Single element + if ( qualifier.nodeType ) { + return jQuery.grep( elements, function( elem ) { + return ( elem === qualifier ) !== not; + } ); + } + + // Arraylike of elements (jQuery, arguments, Array) + if ( typeof qualifier !== "string" ) { + return jQuery.grep( elements, function( elem ) { + return ( indexOf.call( qualifier, elem ) > -1 ) !== not; + } ); + } + + // Filtered directly for both simple and complex selectors + return jQuery.filter( qualifier, elements, not ); +} + +jQuery.filter = function( expr, elems, not ) { + var elem = elems[ 0 ]; + + if ( not ) { + expr = ":not(" + expr + ")"; + } + + if ( elems.length === 1 && elem.nodeType === 1 ) { + return jQuery.find.matchesSelector( elem, expr ) ? [ elem ] : []; + } + + return jQuery.find.matches( expr, jQuery.grep( elems, function( elem ) { + return elem.nodeType === 1; + } ) ); +}; + +jQuery.fn.extend( { + find: function( selector ) { + var i, ret, + len = this.length, + self = this; + + if ( typeof selector !== "string" ) { + return this.pushStack( jQuery( selector ).filter( function() { + for ( i = 0; i < len; i++ ) { + if ( jQuery.contains( self[ i ], this ) ) { + return true; + } + } + } ) ); + } + + ret = this.pushStack( [] ); + + for ( i = 0; i < len; i++ ) { + jQuery.find( selector, self[ i ], ret ); + } + + return len > 1 ? jQuery.uniqueSort( ret ) : ret; + }, + filter: function( selector ) { + return this.pushStack( winnow( this, selector || [], false ) ); + }, + not: function( selector ) { + return this.pushStack( winnow( this, selector || [], true ) ); + }, + is: function( selector ) { + return !!winnow( + this, + + // If this is a positional/relative selector, check membership in the returned set + // so $("p:first").is("p:last") won't return true for a doc with two "p". + typeof selector === "string" && rneedsContext.test( selector ) ? + jQuery( selector ) : + selector || [], + false + ).length; + } +} ); + + +// Initialize a jQuery object + + +// A central reference to the root jQuery(document) +var rootjQuery, + + // A simple way to check for HTML strings + // Prioritize #id over to avoid XSS via location.hash (#9521) + // Strict HTML recognition (#11290: must start with <) + // Shortcut simple #id case for speed + rquickExpr = /^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/, + + init = jQuery.fn.init = function( selector, context, root ) { + var match, elem; + + // HANDLE: $(""), $(null), $(undefined), $(false) + if ( !selector ) { + return this; + } + + // Method init() accepts an alternate rootjQuery + // so migrate can support jQuery.sub (gh-2101) + root = root || rootjQuery; + + // Handle HTML strings + if ( typeof selector === "string" ) { + if ( selector[ 0 ] === "<" && + selector[ selector.length - 1 ] === ">" && + selector.length >= 3 ) { + + // Assume that strings that start and end with <> are HTML and skip the regex check + match = [ null, selector, null ]; + + } else { + match = rquickExpr.exec( selector ); + } + + // Match html or make sure no context is specified for #id + if ( match && ( match[ 1 ] || !context ) ) { + + // HANDLE: $(html) -> $(array) + if ( match[ 1 ] ) { + context = context instanceof jQuery ? context[ 0 ] : context; + + // Option to run scripts is true for back-compat + // Intentionally let the error be thrown if parseHTML is not present + jQuery.merge( this, jQuery.parseHTML( + match[ 1 ], + context && context.nodeType ? context.ownerDocument || context : document, + true + ) ); + + // HANDLE: $(html, props) + if ( rsingleTag.test( match[ 1 ] ) && jQuery.isPlainObject( context ) ) { + for ( match in context ) { + + // Properties of context are called as methods if possible + if ( isFunction( this[ match ] ) ) { + this[ match ]( context[ match ] ); + + // ...and otherwise set as attributes + } else { + this.attr( match, context[ match ] ); + } + } + } + + return this; + + // HANDLE: $(#id) + } else { + elem = document.getElementById( match[ 2 ] ); + + if ( elem ) { + + // Inject the element directly into the jQuery object + this[ 0 ] = elem; + this.length = 1; + } + return this; + } + + // HANDLE: $(expr, $(...)) + } else if ( !context || context.jquery ) { + return ( context || root ).find( selector ); + + // HANDLE: $(expr, context) + // (which is just equivalent to: $(context).find(expr) + } else { + return this.constructor( context ).find( selector ); + } + + // HANDLE: $(DOMElement) + } else if ( selector.nodeType ) { + this[ 0 ] = selector; + this.length = 1; + return this; + + // HANDLE: $(function) + // Shortcut for document ready + } else if ( isFunction( selector ) ) { + return root.ready !== undefined ? + root.ready( selector ) : + + // Execute immediately if ready is not present + selector( jQuery ); + } + + return jQuery.makeArray( selector, this ); + }; + +// Give the init function the jQuery prototype for later instantiation +init.prototype = jQuery.fn; + +// Initialize central reference +rootjQuery = jQuery( document ); + + +var rparentsprev = /^(?:parents|prev(?:Until|All))/, + + // Methods guaranteed to produce a unique set when starting from a unique set + guaranteedUnique = { + children: true, + contents: true, + next: true, + prev: true + }; + +jQuery.fn.extend( { + has: function( target ) { + var targets = jQuery( target, this ), + l = targets.length; + + return this.filter( function() { + var i = 0; + for ( ; i < l; i++ ) { + if ( jQuery.contains( this, targets[ i ] ) ) { + return true; + } + } + } ); + }, + + closest: function( selectors, context ) { + var cur, + i = 0, + l = this.length, + matched = [], + targets = typeof selectors !== "string" && jQuery( selectors ); + + // Positional selectors never match, since there's no _selection_ context + if ( !rneedsContext.test( selectors ) ) { + for ( ; i < l; i++ ) { + for ( cur = this[ i ]; cur && cur !== context; cur = cur.parentNode ) { + + // Always skip document fragments + if ( cur.nodeType < 11 && ( targets ? + targets.index( cur ) > -1 : + + // Don't pass non-elements to Sizzle + cur.nodeType === 1 && + jQuery.find.matchesSelector( cur, selectors ) ) ) { + + matched.push( cur ); + break; + } + } + } + } + + return this.pushStack( matched.length > 1 ? jQuery.uniqueSort( matched ) : matched ); + }, + + // Determine the position of an element within the set + index: function( elem ) { + + // No argument, return index in parent + if ( !elem ) { + return ( this[ 0 ] && this[ 0 ].parentNode ) ? this.first().prevAll().length : -1; + } + + // Index in selector + if ( typeof elem === "string" ) { + return indexOf.call( jQuery( elem ), this[ 0 ] ); + } + + // Locate the position of the desired element + return indexOf.call( this, + + // If it receives a jQuery object, the first element is used + elem.jquery ? elem[ 0 ] : elem + ); + }, + + add: function( selector, context ) { + return this.pushStack( + jQuery.uniqueSort( + jQuery.merge( this.get(), jQuery( selector, context ) ) + ) + ); + }, + + addBack: function( selector ) { + return this.add( selector == null ? + this.prevObject : this.prevObject.filter( selector ) + ); + } +} ); + +function sibling( cur, dir ) { + while ( ( cur = cur[ dir ] ) && cur.nodeType !== 1 ) {} + return cur; +} + +jQuery.each( { + parent: function( elem ) { + var parent = elem.parentNode; + return parent && parent.nodeType !== 11 ? parent : null; + }, + parents: function( elem ) { + return dir( elem, "parentNode" ); + }, + parentsUntil: function( elem, i, until ) { + return dir( elem, "parentNode", until ); + }, + next: function( elem ) { + return sibling( elem, "nextSibling" ); + }, + prev: function( elem ) { + return sibling( elem, "previousSibling" ); + }, + nextAll: function( elem ) { + return dir( elem, "nextSibling" ); + }, + prevAll: function( elem ) { + return dir( elem, "previousSibling" ); + }, + nextUntil: function( elem, i, until ) { + return dir( elem, "nextSibling", until ); + }, + prevUntil: function( elem, i, until ) { + return dir( elem, "previousSibling", until ); + }, + siblings: function( elem ) { + return siblings( ( elem.parentNode || {} ).firstChild, elem ); + }, + children: function( elem ) { + return siblings( elem.firstChild ); + }, + contents: function( elem ) { + if ( nodeName( elem, "iframe" ) ) { + return elem.contentDocument; + } + + // Support: IE 9 - 11 only, iOS 7 only, Android Browser <=4.3 only + // Treat the template element as a regular one in browsers that + // don't support it. + if ( nodeName( elem, "template" ) ) { + elem = elem.content || elem; + } + + return jQuery.merge( [], elem.childNodes ); + } +}, function( name, fn ) { + jQuery.fn[ name ] = function( until, selector ) { + var matched = jQuery.map( this, fn, until ); + + if ( name.slice( -5 ) !== "Until" ) { + selector = until; + } + + if ( selector && typeof selector === "string" ) { + matched = jQuery.filter( selector, matched ); + } + + if ( this.length > 1 ) { + + // Remove duplicates + if ( !guaranteedUnique[ name ] ) { + jQuery.uniqueSort( matched ); + } + + // Reverse order for parents* and prev-derivatives + if ( rparentsprev.test( name ) ) { + matched.reverse(); + } + } + + return this.pushStack( matched ); + }; +} ); +var rnothtmlwhite = ( /[^\x20\t\r\n\f]+/g ); + + + +// Convert String-formatted options into Object-formatted ones +function createOptions( options ) { + var object = {}; + jQuery.each( options.match( rnothtmlwhite ) || [], function( _, flag ) { + object[ flag ] = true; + } ); + return object; +} + +/* + * Create a callback list using the following parameters: + * + * options: an optional list of space-separated options that will change how + * the callback list behaves or a more traditional option object + * + * By default a callback list will act like an event callback list and can be + * "fired" multiple times. + * + * Possible options: + * + * once: will ensure the callback list can only be fired once (like a Deferred) + * + * memory: will keep track of previous values and will call any callback added + * after the list has been fired right away with the latest "memorized" + * values (like a Deferred) + * + * unique: will ensure a callback can only be added once (no duplicate in the list) + * + * stopOnFalse: interrupt callings when a callback returns false + * + */ +jQuery.Callbacks = function( options ) { + + // Convert options from String-formatted to Object-formatted if needed + // (we check in cache first) + options = typeof options === "string" ? + createOptions( options ) : + jQuery.extend( {}, options ); + + var // Flag to know if list is currently firing + firing, + + // Last fire value for non-forgettable lists + memory, + + // Flag to know if list was already fired + fired, + + // Flag to prevent firing + locked, + + // Actual callback list + list = [], + + // Queue of execution data for repeatable lists + queue = [], + + // Index of currently firing callback (modified by add/remove as needed) + firingIndex = -1, + + // Fire callbacks + fire = function() { + + // Enforce single-firing + locked = locked || options.once; + + // Execute callbacks for all pending executions, + // respecting firingIndex overrides and runtime changes + fired = firing = true; + for ( ; queue.length; firingIndex = -1 ) { + memory = queue.shift(); + while ( ++firingIndex < list.length ) { + + // Run callback and check for early termination + if ( list[ firingIndex ].apply( memory[ 0 ], memory[ 1 ] ) === false && + options.stopOnFalse ) { + + // Jump to end and forget the data so .add doesn't re-fire + firingIndex = list.length; + memory = false; + } + } + } + + // Forget the data if we're done with it + if ( !options.memory ) { + memory = false; + } + + firing = false; + + // Clean up if we're done firing for good + if ( locked ) { + + // Keep an empty list if we have data for future add calls + if ( memory ) { + list = []; + + // Otherwise, this object is spent + } else { + list = ""; + } + } + }, + + // Actual Callbacks object + self = { + + // Add a callback or a collection of callbacks to the list + add: function() { + if ( list ) { + + // If we have memory from a past run, we should fire after adding + if ( memory && !firing ) { + firingIndex = list.length - 1; + queue.push( memory ); + } + + ( function add( args ) { + jQuery.each( args, function( _, arg ) { + if ( isFunction( arg ) ) { + if ( !options.unique || !self.has( arg ) ) { + list.push( arg ); + } + } else if ( arg && arg.length && toType( arg ) !== "string" ) { + + // Inspect recursively + add( arg ); + } + } ); + } )( arguments ); + + if ( memory && !firing ) { + fire(); + } + } + return this; + }, + + // Remove a callback from the list + remove: function() { + jQuery.each( arguments, function( _, arg ) { + var index; + while ( ( index = jQuery.inArray( arg, list, index ) ) > -1 ) { + list.splice( index, 1 ); + + // Handle firing indexes + if ( index <= firingIndex ) { + firingIndex--; + } + } + } ); + return this; + }, + + // Check if a given callback is in the list. + // If no argument is given, return whether or not list has callbacks attached. + has: function( fn ) { + return fn ? + jQuery.inArray( fn, list ) > -1 : + list.length > 0; + }, + + // Remove all callbacks from the list + empty: function() { + if ( list ) { + list = []; + } + return this; + }, + + // Disable .fire and .add + // Abort any current/pending executions + // Clear all callbacks and values + disable: function() { + locked = queue = []; + list = memory = ""; + return this; + }, + disabled: function() { + return !list; + }, + + // Disable .fire + // Also disable .add unless we have memory (since it would have no effect) + // Abort any pending executions + lock: function() { + locked = queue = []; + if ( !memory && !firing ) { + list = memory = ""; + } + return this; + }, + locked: function() { + return !!locked; + }, + + // Call all callbacks with the given context and arguments + fireWith: function( context, args ) { + if ( !locked ) { + args = args || []; + args = [ context, args.slice ? args.slice() : args ]; + queue.push( args ); + if ( !firing ) { + fire(); + } + } + return this; + }, + + // Call all the callbacks with the given arguments + fire: function() { + self.fireWith( this, arguments ); + return this; + }, + + // To know if the callbacks have already been called at least once + fired: function() { + return !!fired; + } + }; + + return self; +}; + + +function Identity( v ) { + return v; +} +function Thrower( ex ) { + throw ex; +} + +function adoptValue( value, resolve, reject, noValue ) { + var method; + + try { + + // Check for promise aspect first to privilege synchronous behavior + if ( value && isFunction( ( method = value.promise ) ) ) { + method.call( value ).done( resolve ).fail( reject ); + + // Other thenables + } else if ( value && isFunction( ( method = value.then ) ) ) { + method.call( value, resolve, reject ); + + // Other non-thenables + } else { + + // Control `resolve` arguments by letting Array#slice cast boolean `noValue` to integer: + // * false: [ value ].slice( 0 ) => resolve( value ) + // * true: [ value ].slice( 1 ) => resolve() + resolve.apply( undefined, [ value ].slice( noValue ) ); + } + + // For Promises/A+, convert exceptions into rejections + // Since jQuery.when doesn't unwrap thenables, we can skip the extra checks appearing in + // Deferred#then to conditionally suppress rejection. + } catch ( value ) { + + // Support: Android 4.0 only + // Strict mode functions invoked without .call/.apply get global-object context + reject.apply( undefined, [ value ] ); + } +} + +jQuery.extend( { + + Deferred: function( func ) { + var tuples = [ + + // action, add listener, callbacks, + // ... .then handlers, argument index, [final state] + [ "notify", "progress", jQuery.Callbacks( "memory" ), + jQuery.Callbacks( "memory" ), 2 ], + [ "resolve", "done", jQuery.Callbacks( "once memory" ), + jQuery.Callbacks( "once memory" ), 0, "resolved" ], + [ "reject", "fail", jQuery.Callbacks( "once memory" ), + jQuery.Callbacks( "once memory" ), 1, "rejected" ] + ], + state = "pending", + promise = { + state: function() { + return state; + }, + always: function() { + deferred.done( arguments ).fail( arguments ); + return this; + }, + "catch": function( fn ) { + return promise.then( null, fn ); + }, + + // Keep pipe for back-compat + pipe: function( /* fnDone, fnFail, fnProgress */ ) { + var fns = arguments; + + return jQuery.Deferred( function( newDefer ) { + jQuery.each( tuples, function( i, tuple ) { + + // Map tuples (progress, done, fail) to arguments (done, fail, progress) + var fn = isFunction( fns[ tuple[ 4 ] ] ) && fns[ tuple[ 4 ] ]; + + // deferred.progress(function() { bind to newDefer or newDefer.notify }) + // deferred.done(function() { bind to newDefer or newDefer.resolve }) + // deferred.fail(function() { bind to newDefer or newDefer.reject }) + deferred[ tuple[ 1 ] ]( function() { + var returned = fn && fn.apply( this, arguments ); + if ( returned && isFunction( returned.promise ) ) { + returned.promise() + .progress( newDefer.notify ) + .done( newDefer.resolve ) + .fail( newDefer.reject ); + } else { + newDefer[ tuple[ 0 ] + "With" ]( + this, + fn ? [ returned ] : arguments + ); + } + } ); + } ); + fns = null; + } ).promise(); + }, + then: function( onFulfilled, onRejected, onProgress ) { + var maxDepth = 0; + function resolve( depth, deferred, handler, special ) { + return function() { + var that = this, + args = arguments, + mightThrow = function() { + var returned, then; + + // Support: Promises/A+ section 2.3.3.3.3 + // https://promisesaplus.com/#point-59 + // Ignore double-resolution attempts + if ( depth < maxDepth ) { + return; + } + + returned = handler.apply( that, args ); + + // Support: Promises/A+ section 2.3.1 + // https://promisesaplus.com/#point-48 + if ( returned === deferred.promise() ) { + throw new TypeError( "Thenable self-resolution" ); + } + + // Support: Promises/A+ sections 2.3.3.1, 3.5 + // https://promisesaplus.com/#point-54 + // https://promisesaplus.com/#point-75 + // Retrieve `then` only once + then = returned && + + // Support: Promises/A+ section 2.3.4 + // https://promisesaplus.com/#point-64 + // Only check objects and functions for thenability + ( typeof returned === "object" || + typeof returned === "function" ) && + returned.then; + + // Handle a returned thenable + if ( isFunction( then ) ) { + + // Special processors (notify) just wait for resolution + if ( special ) { + then.call( + returned, + resolve( maxDepth, deferred, Identity, special ), + resolve( maxDepth, deferred, Thrower, special ) + ); + + // Normal processors (resolve) also hook into progress + } else { + + // ...and disregard older resolution values + maxDepth++; + + then.call( + returned, + resolve( maxDepth, deferred, Identity, special ), + resolve( maxDepth, deferred, Thrower, special ), + resolve( maxDepth, deferred, Identity, + deferred.notifyWith ) + ); + } + + // Handle all other returned values + } else { + + // Only substitute handlers pass on context + // and multiple values (non-spec behavior) + if ( handler !== Identity ) { + that = undefined; + args = [ returned ]; + } + + // Process the value(s) + // Default process is resolve + ( special || deferred.resolveWith )( that, args ); + } + }, + + // Only normal processors (resolve) catch and reject exceptions + process = special ? + mightThrow : + function() { + try { + mightThrow(); + } catch ( e ) { + + if ( jQuery.Deferred.exceptionHook ) { + jQuery.Deferred.exceptionHook( e, + process.stackTrace ); + } + + // Support: Promises/A+ section 2.3.3.3.4.1 + // https://promisesaplus.com/#point-61 + // Ignore post-resolution exceptions + if ( depth + 1 >= maxDepth ) { + + // Only substitute handlers pass on context + // and multiple values (non-spec behavior) + if ( handler !== Thrower ) { + that = undefined; + args = [ e ]; + } + + deferred.rejectWith( that, args ); + } + } + }; + + // Support: Promises/A+ section 2.3.3.3.1 + // https://promisesaplus.com/#point-57 + // Re-resolve promises immediately to dodge false rejection from + // subsequent errors + if ( depth ) { + process(); + } else { + + // Call an optional hook to record the stack, in case of exception + // since it's otherwise lost when execution goes async + if ( jQuery.Deferred.getStackHook ) { + process.stackTrace = jQuery.Deferred.getStackHook(); + } + window.setTimeout( process ); + } + }; + } + + return jQuery.Deferred( function( newDefer ) { + + // progress_handlers.add( ... ) + tuples[ 0 ][ 3 ].add( + resolve( + 0, + newDefer, + isFunction( onProgress ) ? + onProgress : + Identity, + newDefer.notifyWith + ) + ); + + // fulfilled_handlers.add( ... ) + tuples[ 1 ][ 3 ].add( + resolve( + 0, + newDefer, + isFunction( onFulfilled ) ? + onFulfilled : + Identity + ) + ); + + // rejected_handlers.add( ... ) + tuples[ 2 ][ 3 ].add( + resolve( + 0, + newDefer, + isFunction( onRejected ) ? + onRejected : + Thrower + ) + ); + } ).promise(); + }, + + // Get a promise for this deferred + // If obj is provided, the promise aspect is added to the object + promise: function( obj ) { + return obj != null ? jQuery.extend( obj, promise ) : promise; + } + }, + deferred = {}; + + // Add list-specific methods + jQuery.each( tuples, function( i, tuple ) { + var list = tuple[ 2 ], + stateString = tuple[ 5 ]; + + // promise.progress = list.add + // promise.done = list.add + // promise.fail = list.add + promise[ tuple[ 1 ] ] = list.add; + + // Handle state + if ( stateString ) { + list.add( + function() { + + // state = "resolved" (i.e., fulfilled) + // state = "rejected" + state = stateString; + }, + + // rejected_callbacks.disable + // fulfilled_callbacks.disable + tuples[ 3 - i ][ 2 ].disable, + + // rejected_handlers.disable + // fulfilled_handlers.disable + tuples[ 3 - i ][ 3 ].disable, + + // progress_callbacks.lock + tuples[ 0 ][ 2 ].lock, + + // progress_handlers.lock + tuples[ 0 ][ 3 ].lock + ); + } + + // progress_handlers.fire + // fulfilled_handlers.fire + // rejected_handlers.fire + list.add( tuple[ 3 ].fire ); + + // deferred.notify = function() { deferred.notifyWith(...) } + // deferred.resolve = function() { deferred.resolveWith(...) } + // deferred.reject = function() { deferred.rejectWith(...) } + deferred[ tuple[ 0 ] ] = function() { + deferred[ tuple[ 0 ] + "With" ]( this === deferred ? undefined : this, arguments ); + return this; + }; + + // deferred.notifyWith = list.fireWith + // deferred.resolveWith = list.fireWith + // deferred.rejectWith = list.fireWith + deferred[ tuple[ 0 ] + "With" ] = list.fireWith; + } ); + + // Make the deferred a promise + promise.promise( deferred ); + + // Call given func if any + if ( func ) { + func.call( deferred, deferred ); + } + + // All done! + return deferred; + }, + + // Deferred helper + when: function( singleValue ) { + var + + // count of uncompleted subordinates + remaining = arguments.length, + + // count of unprocessed arguments + i = remaining, + + // subordinate fulfillment data + resolveContexts = Array( i ), + resolveValues = slice.call( arguments ), + + // the master Deferred + master = jQuery.Deferred(), + + // subordinate callback factory + updateFunc = function( i ) { + return function( value ) { + resolveContexts[ i ] = this; + resolveValues[ i ] = arguments.length > 1 ? slice.call( arguments ) : value; + if ( !( --remaining ) ) { + master.resolveWith( resolveContexts, resolveValues ); + } + }; + }; + + // Single- and empty arguments are adopted like Promise.resolve + if ( remaining <= 1 ) { + adoptValue( singleValue, master.done( updateFunc( i ) ).resolve, master.reject, + !remaining ); + + // Use .then() to unwrap secondary thenables (cf. gh-3000) + if ( master.state() === "pending" || + isFunction( resolveValues[ i ] && resolveValues[ i ].then ) ) { + + return master.then(); + } + } + + // Multiple arguments are aggregated like Promise.all array elements + while ( i-- ) { + adoptValue( resolveValues[ i ], updateFunc( i ), master.reject ); + } + + return master.promise(); + } +} ); + + +// These usually indicate a programmer mistake during development, +// warn about them ASAP rather than swallowing them by default. +var rerrorNames = /^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/; + +jQuery.Deferred.exceptionHook = function( error, stack ) { + + // Support: IE 8 - 9 only + // Console exists when dev tools are open, which can happen at any time + if ( window.console && window.console.warn && error && rerrorNames.test( error.name ) ) { + window.console.warn( "jQuery.Deferred exception: " + error.message, error.stack, stack ); + } +}; + + + + +jQuery.readyException = function( error ) { + window.setTimeout( function() { + throw error; + } ); +}; + + + + +// The deferred used on DOM ready +var readyList = jQuery.Deferred(); + +jQuery.fn.ready = function( fn ) { + + readyList + .then( fn ) + + // Wrap jQuery.readyException in a function so that the lookup + // happens at the time of error handling instead of callback + // registration. + .catch( function( error ) { + jQuery.readyException( error ); + } ); + + return this; +}; + +jQuery.extend( { + + // Is the DOM ready to be used? Set to true once it occurs. + isReady: false, + + // A counter to track how many items to wait for before + // the ready event fires. See #6781 + readyWait: 1, + + // Handle when the DOM is ready + ready: function( wait ) { + + // Abort if there are pending holds or we're already ready + if ( wait === true ? --jQuery.readyWait : jQuery.isReady ) { + return; + } + + // Remember that the DOM is ready + jQuery.isReady = true; + + // If a normal DOM Ready event fired, decrement, and wait if need be + if ( wait !== true && --jQuery.readyWait > 0 ) { + return; + } + + // If there are functions bound, to execute + readyList.resolveWith( document, [ jQuery ] ); + } +} ); + +jQuery.ready.then = readyList.then; + +// The ready event handler and self cleanup method +function completed() { + document.removeEventListener( "DOMContentLoaded", completed ); + window.removeEventListener( "load", completed ); + jQuery.ready(); +} + +// Catch cases where $(document).ready() is called +// after the browser event has already occurred. +// Support: IE <=9 - 10 only +// Older IE sometimes signals "interactive" too soon +if ( document.readyState === "complete" || + ( document.readyState !== "loading" && !document.documentElement.doScroll ) ) { + + // Handle it asynchronously to allow scripts the opportunity to delay ready + window.setTimeout( jQuery.ready ); + +} else { + + // Use the handy event callback + document.addEventListener( "DOMContentLoaded", completed ); + + // A fallback to window.onload, that will always work + window.addEventListener( "load", completed ); +} + + + + +// Multifunctional method to get and set values of a collection +// The value/s can optionally be executed if it's a function +var access = function( elems, fn, key, value, chainable, emptyGet, raw ) { + var i = 0, + len = elems.length, + bulk = key == null; + + // Sets many values + if ( toType( key ) === "object" ) { + chainable = true; + for ( i in key ) { + access( elems, fn, i, key[ i ], true, emptyGet, raw ); + } + + // Sets one value + } else if ( value !== undefined ) { + chainable = true; + + if ( !isFunction( value ) ) { + raw = true; + } + + if ( bulk ) { + + // Bulk operations run against the entire set + if ( raw ) { + fn.call( elems, value ); + fn = null; + + // ...except when executing function values + } else { + bulk = fn; + fn = function( elem, key, value ) { + return bulk.call( jQuery( elem ), value ); + }; + } + } + + if ( fn ) { + for ( ; i < len; i++ ) { + fn( + elems[ i ], key, raw ? + value : + value.call( elems[ i ], i, fn( elems[ i ], key ) ) + ); + } + } + } + + if ( chainable ) { + return elems; + } + + // Gets + if ( bulk ) { + return fn.call( elems ); + } + + return len ? fn( elems[ 0 ], key ) : emptyGet; +}; + + +// Matches dashed string for camelizing +var rmsPrefix = /^-ms-/, + rdashAlpha = /-([a-z])/g; + +// Used by camelCase as callback to replace() +function fcamelCase( all, letter ) { + return letter.toUpperCase(); +} + +// Convert dashed to camelCase; used by the css and data modules +// Support: IE <=9 - 11, Edge 12 - 15 +// Microsoft forgot to hump their vendor prefix (#9572) +function camelCase( string ) { + return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase ); +} +var acceptData = function( owner ) { + + // Accepts only: + // - Node + // - Node.ELEMENT_NODE + // - Node.DOCUMENT_NODE + // - Object + // - Any + return owner.nodeType === 1 || owner.nodeType === 9 || !( +owner.nodeType ); +}; + + + + +function Data() { + this.expando = jQuery.expando + Data.uid++; +} + +Data.uid = 1; + +Data.prototype = { + + cache: function( owner ) { + + // Check if the owner object already has a cache + var value = owner[ this.expando ]; + + // If not, create one + if ( !value ) { + value = {}; + + // We can accept data for non-element nodes in modern browsers, + // but we should not, see #8335. + // Always return an empty object. + if ( acceptData( owner ) ) { + + // If it is a node unlikely to be stringify-ed or looped over + // use plain assignment + if ( owner.nodeType ) { + owner[ this.expando ] = value; + + // Otherwise secure it in a non-enumerable property + // configurable must be true to allow the property to be + // deleted when data is removed + } else { + Object.defineProperty( owner, this.expando, { + value: value, + configurable: true + } ); + } + } + } + + return value; + }, + set: function( owner, data, value ) { + var prop, + cache = this.cache( owner ); + + // Handle: [ owner, key, value ] args + // Always use camelCase key (gh-2257) + if ( typeof data === "string" ) { + cache[ camelCase( data ) ] = value; + + // Handle: [ owner, { properties } ] args + } else { + + // Copy the properties one-by-one to the cache object + for ( prop in data ) { + cache[ camelCase( prop ) ] = data[ prop ]; + } + } + return cache; + }, + get: function( owner, key ) { + return key === undefined ? + this.cache( owner ) : + + // Always use camelCase key (gh-2257) + owner[ this.expando ] && owner[ this.expando ][ camelCase( key ) ]; + }, + access: function( owner, key, value ) { + + // In cases where either: + // + // 1. No key was specified + // 2. A string key was specified, but no value provided + // + // Take the "read" path and allow the get method to determine + // which value to return, respectively either: + // + // 1. The entire cache object + // 2. The data stored at the key + // + if ( key === undefined || + ( ( key && typeof key === "string" ) && value === undefined ) ) { + + return this.get( owner, key ); + } + + // When the key is not a string, or both a key and value + // are specified, set or extend (existing objects) with either: + // + // 1. An object of properties + // 2. A key and value + // + this.set( owner, key, value ); + + // Since the "set" path can have two possible entry points + // return the expected data based on which path was taken[*] + return value !== undefined ? value : key; + }, + remove: function( owner, key ) { + var i, + cache = owner[ this.expando ]; + + if ( cache === undefined ) { + return; + } + + if ( key !== undefined ) { + + // Support array or space separated string of keys + if ( Array.isArray( key ) ) { + + // If key is an array of keys... + // We always set camelCase keys, so remove that. + key = key.map( camelCase ); + } else { + key = camelCase( key ); + + // If a key with the spaces exists, use it. + // Otherwise, create an array by matching non-whitespace + key = key in cache ? + [ key ] : + ( key.match( rnothtmlwhite ) || [] ); + } + + i = key.length; + + while ( i-- ) { + delete cache[ key[ i ] ]; + } + } + + // Remove the expando if there's no more data + if ( key === undefined || jQuery.isEmptyObject( cache ) ) { + + // Support: Chrome <=35 - 45 + // Webkit & Blink performance suffers when deleting properties + // from DOM nodes, so set to undefined instead + // https://bugs.chromium.org/p/chromium/issues/detail?id=378607 (bug restricted) + if ( owner.nodeType ) { + owner[ this.expando ] = undefined; + } else { + delete owner[ this.expando ]; + } + } + }, + hasData: function( owner ) { + var cache = owner[ this.expando ]; + return cache !== undefined && !jQuery.isEmptyObject( cache ); + } +}; +var dataPriv = new Data(); + +var dataUser = new Data(); + + + +// Implementation Summary +// +// 1. Enforce API surface and semantic compatibility with 1.9.x branch +// 2. Improve the module's maintainability by reducing the storage +// paths to a single mechanism. +// 3. Use the same single mechanism to support "private" and "user" data. +// 4. _Never_ expose "private" data to user code (TODO: Drop _data, _removeData) +// 5. Avoid exposing implementation details on user objects (eg. expando properties) +// 6. Provide a clear path for implementation upgrade to WeakMap in 2014 + +var rbrace = /^(?:\{[\w\W]*\}|\[[\w\W]*\])$/, + rmultiDash = /[A-Z]/g; + +function getData( data ) { + if ( data === "true" ) { + return true; + } + + if ( data === "false" ) { + return false; + } + + if ( data === "null" ) { + return null; + } + + // Only convert to a number if it doesn't change the string + if ( data === +data + "" ) { + return +data; + } + + if ( rbrace.test( data ) ) { + return JSON.parse( data ); + } + + return data; +} + +function dataAttr( elem, key, data ) { + var name; + + // If nothing was found internally, try to fetch any + // data from the HTML5 data-* attribute + if ( data === undefined && elem.nodeType === 1 ) { + name = "data-" + key.replace( rmultiDash, "-$&" ).toLowerCase(); + data = elem.getAttribute( name ); + + if ( typeof data === "string" ) { + try { + data = getData( data ); + } catch ( e ) {} + + // Make sure we set the data so it isn't changed later + dataUser.set( elem, key, data ); + } else { + data = undefined; + } + } + return data; +} + +jQuery.extend( { + hasData: function( elem ) { + return dataUser.hasData( elem ) || dataPriv.hasData( elem ); + }, + + data: function( elem, name, data ) { + return dataUser.access( elem, name, data ); + }, + + removeData: function( elem, name ) { + dataUser.remove( elem, name ); + }, + + // TODO: Now that all calls to _data and _removeData have been replaced + // with direct calls to dataPriv methods, these can be deprecated. + _data: function( elem, name, data ) { + return dataPriv.access( elem, name, data ); + }, + + _removeData: function( elem, name ) { + dataPriv.remove( elem, name ); + } +} ); + +jQuery.fn.extend( { + data: function( key, value ) { + var i, name, data, + elem = this[ 0 ], + attrs = elem && elem.attributes; + + // Gets all values + if ( key === undefined ) { + if ( this.length ) { + data = dataUser.get( elem ); + + if ( elem.nodeType === 1 && !dataPriv.get( elem, "hasDataAttrs" ) ) { + i = attrs.length; + while ( i-- ) { + + // Support: IE 11 only + // The attrs elements can be null (#14894) + if ( attrs[ i ] ) { + name = attrs[ i ].name; + if ( name.indexOf( "data-" ) === 0 ) { + name = camelCase( name.slice( 5 ) ); + dataAttr( elem, name, data[ name ] ); + } + } + } + dataPriv.set( elem, "hasDataAttrs", true ); + } + } + + return data; + } + + // Sets multiple values + if ( typeof key === "object" ) { + return this.each( function() { + dataUser.set( this, key ); + } ); + } + + return access( this, function( value ) { + var data; + + // The calling jQuery object (element matches) is not empty + // (and therefore has an element appears at this[ 0 ]) and the + // `value` parameter was not undefined. An empty jQuery object + // will result in `undefined` for elem = this[ 0 ] which will + // throw an exception if an attempt to read a data cache is made. + if ( elem && value === undefined ) { + + // Attempt to get data from the cache + // The key will always be camelCased in Data + data = dataUser.get( elem, key ); + if ( data !== undefined ) { + return data; + } + + // Attempt to "discover" the data in + // HTML5 custom data-* attrs + data = dataAttr( elem, key ); + if ( data !== undefined ) { + return data; + } + + // We tried really hard, but the data doesn't exist. + return; + } + + // Set the data... + this.each( function() { + + // We always store the camelCased key + dataUser.set( this, key, value ); + } ); + }, null, value, arguments.length > 1, null, true ); + }, + + removeData: function( key ) { + return this.each( function() { + dataUser.remove( this, key ); + } ); + } +} ); + + +jQuery.extend( { + queue: function( elem, type, data ) { + var queue; + + if ( elem ) { + type = ( type || "fx" ) + "queue"; + queue = dataPriv.get( elem, type ); + + // Speed up dequeue by getting out quickly if this is just a lookup + if ( data ) { + if ( !queue || Array.isArray( data ) ) { + queue = dataPriv.access( elem, type, jQuery.makeArray( data ) ); + } else { + queue.push( data ); + } + } + return queue || []; + } + }, + + dequeue: function( elem, type ) { + type = type || "fx"; + + var queue = jQuery.queue( elem, type ), + startLength = queue.length, + fn = queue.shift(), + hooks = jQuery._queueHooks( elem, type ), + next = function() { + jQuery.dequeue( elem, type ); + }; + + // If the fx queue is dequeued, always remove the progress sentinel + if ( fn === "inprogress" ) { + fn = queue.shift(); + startLength--; + } + + if ( fn ) { + + // Add a progress sentinel to prevent the fx queue from being + // automatically dequeued + if ( type === "fx" ) { + queue.unshift( "inprogress" ); + } + + // Clear up the last queue stop function + delete hooks.stop; + fn.call( elem, next, hooks ); + } + + if ( !startLength && hooks ) { + hooks.empty.fire(); + } + }, + + // Not public - generate a queueHooks object, or return the current one + _queueHooks: function( elem, type ) { + var key = type + "queueHooks"; + return dataPriv.get( elem, key ) || dataPriv.access( elem, key, { + empty: jQuery.Callbacks( "once memory" ).add( function() { + dataPriv.remove( elem, [ type + "queue", key ] ); + } ) + } ); + } +} ); + +jQuery.fn.extend( { + queue: function( type, data ) { + var setter = 2; + + if ( typeof type !== "string" ) { + data = type; + type = "fx"; + setter--; + } + + if ( arguments.length < setter ) { + return jQuery.queue( this[ 0 ], type ); + } + + return data === undefined ? + this : + this.each( function() { + var queue = jQuery.queue( this, type, data ); + + // Ensure a hooks for this queue + jQuery._queueHooks( this, type ); + + if ( type === "fx" && queue[ 0 ] !== "inprogress" ) { + jQuery.dequeue( this, type ); + } + } ); + }, + dequeue: function( type ) { + return this.each( function() { + jQuery.dequeue( this, type ); + } ); + }, + clearQueue: function( type ) { + return this.queue( type || "fx", [] ); + }, + + // Get a promise resolved when queues of a certain type + // are emptied (fx is the type by default) + promise: function( type, obj ) { + var tmp, + count = 1, + defer = jQuery.Deferred(), + elements = this, + i = this.length, + resolve = function() { + if ( !( --count ) ) { + defer.resolveWith( elements, [ elements ] ); + } + }; + + if ( typeof type !== "string" ) { + obj = type; + type = undefined; + } + type = type || "fx"; + + while ( i-- ) { + tmp = dataPriv.get( elements[ i ], type + "queueHooks" ); + if ( tmp && tmp.empty ) { + count++; + tmp.empty.add( resolve ); + } + } + resolve(); + return defer.promise( obj ); + } +} ); +var pnum = ( /[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/ ).source; + +var rcssNum = new RegExp( "^(?:([+-])=|)(" + pnum + ")([a-z%]*)$", "i" ); + + +var cssExpand = [ "Top", "Right", "Bottom", "Left" ]; + +var isHiddenWithinTree = function( elem, el ) { + + // isHiddenWithinTree might be called from jQuery#filter function; + // in that case, element will be second argument + elem = el || elem; + + // Inline style trumps all + return elem.style.display === "none" || + elem.style.display === "" && + + // Otherwise, check computed style + // Support: Firefox <=43 - 45 + // Disconnected elements can have computed display: none, so first confirm that elem is + // in the document. + jQuery.contains( elem.ownerDocument, elem ) && + + jQuery.css( elem, "display" ) === "none"; + }; + +var swap = function( elem, options, callback, args ) { + var ret, name, + old = {}; + + // Remember the old values, and insert the new ones + for ( name in options ) { + old[ name ] = elem.style[ name ]; + elem.style[ name ] = options[ name ]; + } + + ret = callback.apply( elem, args || [] ); + + // Revert the old values + for ( name in options ) { + elem.style[ name ] = old[ name ]; + } + + return ret; +}; + + + + +function adjustCSS( elem, prop, valueParts, tween ) { + var adjusted, scale, + maxIterations = 20, + currentValue = tween ? + function() { + return tween.cur(); + } : + function() { + return jQuery.css( elem, prop, "" ); + }, + initial = currentValue(), + unit = valueParts && valueParts[ 3 ] || ( jQuery.cssNumber[ prop ] ? "" : "px" ), + + // Starting value computation is required for potential unit mismatches + initialInUnit = ( jQuery.cssNumber[ prop ] || unit !== "px" && +initial ) && + rcssNum.exec( jQuery.css( elem, prop ) ); + + if ( initialInUnit && initialInUnit[ 3 ] !== unit ) { + + // Support: Firefox <=54 + // Halve the iteration target value to prevent interference from CSS upper bounds (gh-2144) + initial = initial / 2; + + // Trust units reported by jQuery.css + unit = unit || initialInUnit[ 3 ]; + + // Iteratively approximate from a nonzero starting point + initialInUnit = +initial || 1; + + while ( maxIterations-- ) { + + // Evaluate and update our best guess (doubling guesses that zero out). + // Finish if the scale equals or crosses 1 (making the old*new product non-positive). + jQuery.style( elem, prop, initialInUnit + unit ); + if ( ( 1 - scale ) * ( 1 - ( scale = currentValue() / initial || 0.5 ) ) <= 0 ) { + maxIterations = 0; + } + initialInUnit = initialInUnit / scale; + + } + + initialInUnit = initialInUnit * 2; + jQuery.style( elem, prop, initialInUnit + unit ); + + // Make sure we update the tween properties later on + valueParts = valueParts || []; + } + + if ( valueParts ) { + initialInUnit = +initialInUnit || +initial || 0; + + // Apply relative offset (+=/-=) if specified + adjusted = valueParts[ 1 ] ? + initialInUnit + ( valueParts[ 1 ] + 1 ) * valueParts[ 2 ] : + +valueParts[ 2 ]; + if ( tween ) { + tween.unit = unit; + tween.start = initialInUnit; + tween.end = adjusted; + } + } + return adjusted; +} + + +var defaultDisplayMap = {}; + +function getDefaultDisplay( elem ) { + var temp, + doc = elem.ownerDocument, + nodeName = elem.nodeName, + display = defaultDisplayMap[ nodeName ]; + + if ( display ) { + return display; + } + + temp = doc.body.appendChild( doc.createElement( nodeName ) ); + display = jQuery.css( temp, "display" ); + + temp.parentNode.removeChild( temp ); + + if ( display === "none" ) { + display = "block"; + } + defaultDisplayMap[ nodeName ] = display; + + return display; +} + +function showHide( elements, show ) { + var display, elem, + values = [], + index = 0, + length = elements.length; + + // Determine new display value for elements that need to change + for ( ; index < length; index++ ) { + elem = elements[ index ]; + if ( !elem.style ) { + continue; + } + + display = elem.style.display; + if ( show ) { + + // Since we force visibility upon cascade-hidden elements, an immediate (and slow) + // check is required in this first loop unless we have a nonempty display value (either + // inline or about-to-be-restored) + if ( display === "none" ) { + values[ index ] = dataPriv.get( elem, "display" ) || null; + if ( !values[ index ] ) { + elem.style.display = ""; + } + } + if ( elem.style.display === "" && isHiddenWithinTree( elem ) ) { + values[ index ] = getDefaultDisplay( elem ); + } + } else { + if ( display !== "none" ) { + values[ index ] = "none"; + + // Remember what we're overwriting + dataPriv.set( elem, "display", display ); + } + } + } + + // Set the display of the elements in a second loop to avoid constant reflow + for ( index = 0; index < length; index++ ) { + if ( values[ index ] != null ) { + elements[ index ].style.display = values[ index ]; + } + } + + return elements; +} + +jQuery.fn.extend( { + show: function() { + return showHide( this, true ); + }, + hide: function() { + return showHide( this ); + }, + toggle: function( state ) { + if ( typeof state === "boolean" ) { + return state ? this.show() : this.hide(); + } + + return this.each( function() { + if ( isHiddenWithinTree( this ) ) { + jQuery( this ).show(); + } else { + jQuery( this ).hide(); + } + } ); + } +} ); +var rcheckableType = ( /^(?:checkbox|radio)$/i ); + +var rtagName = ( /<([a-z][^\/\0>\x20\t\r\n\f]+)/i ); + +var rscriptType = ( /^$|^module$|\/(?:java|ecma)script/i ); + + + +// We have to close these tags to support XHTML (#13200) +var wrapMap = { + + // Support: IE <=9 only + option: [ 1, "" ], + + // XHTML parsers do not magically insert elements in the + // same way that tag soup parsers do. So we cannot shorten + // this by omitting or other required elements. + thead: [ 1, "", "
    " ], + col: [ 2, "", "
    " ], + tr: [ 2, "", "
    " ], + td: [ 3, "", "
    " ], + + _default: [ 0, "", "" ] +}; + +// Support: IE <=9 only +wrapMap.optgroup = wrapMap.option; + +wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead; +wrapMap.th = wrapMap.td; + + +function getAll( context, tag ) { + + // Support: IE <=9 - 11 only + // Use typeof to avoid zero-argument method invocation on host objects (#15151) + var ret; + + if ( typeof context.getElementsByTagName !== "undefined" ) { + ret = context.getElementsByTagName( tag || "*" ); + + } else if ( typeof context.querySelectorAll !== "undefined" ) { + ret = context.querySelectorAll( tag || "*" ); + + } else { + ret = []; + } + + if ( tag === undefined || tag && nodeName( context, tag ) ) { + return jQuery.merge( [ context ], ret ); + } + + return ret; +} + + +// Mark scripts as having already been evaluated +function setGlobalEval( elems, refElements ) { + var i = 0, + l = elems.length; + + for ( ; i < l; i++ ) { + dataPriv.set( + elems[ i ], + "globalEval", + !refElements || dataPriv.get( refElements[ i ], "globalEval" ) + ); + } +} + + +var rhtml = /<|&#?\w+;/; + +function buildFragment( elems, context, scripts, selection, ignored ) { + var elem, tmp, tag, wrap, contains, j, + fragment = context.createDocumentFragment(), + nodes = [], + i = 0, + l = elems.length; + + for ( ; i < l; i++ ) { + elem = elems[ i ]; + + if ( elem || elem === 0 ) { + + // Add nodes directly + if ( toType( elem ) === "object" ) { + + // Support: Android <=4.0 only, PhantomJS 1 only + // push.apply(_, arraylike) throws on ancient WebKit + jQuery.merge( nodes, elem.nodeType ? [ elem ] : elem ); + + // Convert non-html into a text node + } else if ( !rhtml.test( elem ) ) { + nodes.push( context.createTextNode( elem ) ); + + // Convert html into DOM nodes + } else { + tmp = tmp || fragment.appendChild( context.createElement( "div" ) ); + + // Deserialize a standard representation + tag = ( rtagName.exec( elem ) || [ "", "" ] )[ 1 ].toLowerCase(); + wrap = wrapMap[ tag ] || wrapMap._default; + tmp.innerHTML = wrap[ 1 ] + jQuery.htmlPrefilter( elem ) + wrap[ 2 ]; + + // Descend through wrappers to the right content + j = wrap[ 0 ]; + while ( j-- ) { + tmp = tmp.lastChild; + } + + // Support: Android <=4.0 only, PhantomJS 1 only + // push.apply(_, arraylike) throws on ancient WebKit + jQuery.merge( nodes, tmp.childNodes ); + + // Remember the top-level container + tmp = fragment.firstChild; + + // Ensure the created nodes are orphaned (#12392) + tmp.textContent = ""; + } + } + } + + // Remove wrapper from fragment + fragment.textContent = ""; + + i = 0; + while ( ( elem = nodes[ i++ ] ) ) { + + // Skip elements already in the context collection (trac-4087) + if ( selection && jQuery.inArray( elem, selection ) > -1 ) { + if ( ignored ) { + ignored.push( elem ); + } + continue; + } + + contains = jQuery.contains( elem.ownerDocument, elem ); + + // Append to fragment + tmp = getAll( fragment.appendChild( elem ), "script" ); + + // Preserve script evaluation history + if ( contains ) { + setGlobalEval( tmp ); + } + + // Capture executables + if ( scripts ) { + j = 0; + while ( ( elem = tmp[ j++ ] ) ) { + if ( rscriptType.test( elem.type || "" ) ) { + scripts.push( elem ); + } + } + } + } + + return fragment; +} + + +( function() { + var fragment = document.createDocumentFragment(), + div = fragment.appendChild( document.createElement( "div" ) ), + input = document.createElement( "input" ); + + // Support: Android 4.0 - 4.3 only + // Check state lost if the name is set (#11217) + // Support: Windows Web Apps (WWA) + // `name` and `type` must use .setAttribute for WWA (#14901) + input.setAttribute( "type", "radio" ); + input.setAttribute( "checked", "checked" ); + input.setAttribute( "name", "t" ); + + div.appendChild( input ); + + // Support: Android <=4.1 only + // Older WebKit doesn't clone checked state correctly in fragments + support.checkClone = div.cloneNode( true ).cloneNode( true ).lastChild.checked; + + // Support: IE <=11 only + // Make sure textarea (and checkbox) defaultValue is properly cloned + div.innerHTML = ""; + support.noCloneChecked = !!div.cloneNode( true ).lastChild.defaultValue; +} )(); +var documentElement = document.documentElement; + + + +var + rkeyEvent = /^key/, + rmouseEvent = /^(?:mouse|pointer|contextmenu|drag|drop)|click/, + rtypenamespace = /^([^.]*)(?:\.(.+)|)/; + +function returnTrue() { + return true; +} + +function returnFalse() { + return false; +} + +// Support: IE <=9 only +// See #13393 for more info +function safeActiveElement() { + try { + return document.activeElement; + } catch ( err ) { } +} + +function on( elem, types, selector, data, fn, one ) { + var origFn, type; + + // Types can be a map of types/handlers + if ( typeof types === "object" ) { + + // ( types-Object, selector, data ) + if ( typeof selector !== "string" ) { + + // ( types-Object, data ) + data = data || selector; + selector = undefined; + } + for ( type in types ) { + on( elem, type, selector, data, types[ type ], one ); + } + return elem; + } + + if ( data == null && fn == null ) { + + // ( types, fn ) + fn = selector; + data = selector = undefined; + } else if ( fn == null ) { + if ( typeof selector === "string" ) { + + // ( types, selector, fn ) + fn = data; + data = undefined; + } else { + + // ( types, data, fn ) + fn = data; + data = selector; + selector = undefined; + } + } + if ( fn === false ) { + fn = returnFalse; + } else if ( !fn ) { + return elem; + } + + if ( one === 1 ) { + origFn = fn; + fn = function( event ) { + + // Can use an empty set, since event contains the info + jQuery().off( event ); + return origFn.apply( this, arguments ); + }; + + // Use same guid so caller can remove using origFn + fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ ); + } + return elem.each( function() { + jQuery.event.add( this, types, fn, data, selector ); + } ); +} + +/* + * Helper functions for managing events -- not part of the public interface. + * Props to Dean Edwards' addEvent library for many of the ideas. + */ +jQuery.event = { + + global: {}, + + add: function( elem, types, handler, data, selector ) { + + var handleObjIn, eventHandle, tmp, + events, t, handleObj, + special, handlers, type, namespaces, origType, + elemData = dataPriv.get( elem ); + + // Don't attach events to noData or text/comment nodes (but allow plain objects) + if ( !elemData ) { + return; + } + + // Caller can pass in an object of custom data in lieu of the handler + if ( handler.handler ) { + handleObjIn = handler; + handler = handleObjIn.handler; + selector = handleObjIn.selector; + } + + // Ensure that invalid selectors throw exceptions at attach time + // Evaluate against documentElement in case elem is a non-element node (e.g., document) + if ( selector ) { + jQuery.find.matchesSelector( documentElement, selector ); + } + + // Make sure that the handler has a unique ID, used to find/remove it later + if ( !handler.guid ) { + handler.guid = jQuery.guid++; + } + + // Init the element's event structure and main handler, if this is the first + if ( !( events = elemData.events ) ) { + events = elemData.events = {}; + } + if ( !( eventHandle = elemData.handle ) ) { + eventHandle = elemData.handle = function( e ) { + + // Discard the second event of a jQuery.event.trigger() and + // when an event is called after a page has unloaded + return typeof jQuery !== "undefined" && jQuery.event.triggered !== e.type ? + jQuery.event.dispatch.apply( elem, arguments ) : undefined; + }; + } + + // Handle multiple events separated by a space + types = ( types || "" ).match( rnothtmlwhite ) || [ "" ]; + t = types.length; + while ( t-- ) { + tmp = rtypenamespace.exec( types[ t ] ) || []; + type = origType = tmp[ 1 ]; + namespaces = ( tmp[ 2 ] || "" ).split( "." ).sort(); + + // There *must* be a type, no attaching namespace-only handlers + if ( !type ) { + continue; + } + + // If event changes its type, use the special event handlers for the changed type + special = jQuery.event.special[ type ] || {}; + + // If selector defined, determine special event api type, otherwise given type + type = ( selector ? special.delegateType : special.bindType ) || type; + + // Update special based on newly reset type + special = jQuery.event.special[ type ] || {}; + + // handleObj is passed to all event handlers + handleObj = jQuery.extend( { + type: type, + origType: origType, + data: data, + handler: handler, + guid: handler.guid, + selector: selector, + needsContext: selector && jQuery.expr.match.needsContext.test( selector ), + namespace: namespaces.join( "." ) + }, handleObjIn ); + + // Init the event handler queue if we're the first + if ( !( handlers = events[ type ] ) ) { + handlers = events[ type ] = []; + handlers.delegateCount = 0; + + // Only use addEventListener if the special events handler returns false + if ( !special.setup || + special.setup.call( elem, data, namespaces, eventHandle ) === false ) { + + if ( elem.addEventListener ) { + elem.addEventListener( type, eventHandle ); + } + } + } + + if ( special.add ) { + special.add.call( elem, handleObj ); + + if ( !handleObj.handler.guid ) { + handleObj.handler.guid = handler.guid; + } + } + + // Add to the element's handler list, delegates in front + if ( selector ) { + handlers.splice( handlers.delegateCount++, 0, handleObj ); + } else { + handlers.push( handleObj ); + } + + // Keep track of which events have ever been used, for event optimization + jQuery.event.global[ type ] = true; + } + + }, + + // Detach an event or set of events from an element + remove: function( elem, types, handler, selector, mappedTypes ) { + + var j, origCount, tmp, + events, t, handleObj, + special, handlers, type, namespaces, origType, + elemData = dataPriv.hasData( elem ) && dataPriv.get( elem ); + + if ( !elemData || !( events = elemData.events ) ) { + return; + } + + // Once for each type.namespace in types; type may be omitted + types = ( types || "" ).match( rnothtmlwhite ) || [ "" ]; + t = types.length; + while ( t-- ) { + tmp = rtypenamespace.exec( types[ t ] ) || []; + type = origType = tmp[ 1 ]; + namespaces = ( tmp[ 2 ] || "" ).split( "." ).sort(); + + // Unbind all events (on this namespace, if provided) for the element + if ( !type ) { + for ( type in events ) { + jQuery.event.remove( elem, type + types[ t ], handler, selector, true ); + } + continue; + } + + special = jQuery.event.special[ type ] || {}; + type = ( selector ? special.delegateType : special.bindType ) || type; + handlers = events[ type ] || []; + tmp = tmp[ 2 ] && + new RegExp( "(^|\\.)" + namespaces.join( "\\.(?:.*\\.|)" ) + "(\\.|$)" ); + + // Remove matching events + origCount = j = handlers.length; + while ( j-- ) { + handleObj = handlers[ j ]; + + if ( ( mappedTypes || origType === handleObj.origType ) && + ( !handler || handler.guid === handleObj.guid ) && + ( !tmp || tmp.test( handleObj.namespace ) ) && + ( !selector || selector === handleObj.selector || + selector === "**" && handleObj.selector ) ) { + handlers.splice( j, 1 ); + + if ( handleObj.selector ) { + handlers.delegateCount--; + } + if ( special.remove ) { + special.remove.call( elem, handleObj ); + } + } + } + + // Remove generic event handler if we removed something and no more handlers exist + // (avoids potential for endless recursion during removal of special event handlers) + if ( origCount && !handlers.length ) { + if ( !special.teardown || + special.teardown.call( elem, namespaces, elemData.handle ) === false ) { + + jQuery.removeEvent( elem, type, elemData.handle ); + } + + delete events[ type ]; + } + } + + // Remove data and the expando if it's no longer used + if ( jQuery.isEmptyObject( events ) ) { + dataPriv.remove( elem, "handle events" ); + } + }, + + dispatch: function( nativeEvent ) { + + // Make a writable jQuery.Event from the native event object + var event = jQuery.event.fix( nativeEvent ); + + var i, j, ret, matched, handleObj, handlerQueue, + args = new Array( arguments.length ), + handlers = ( dataPriv.get( this, "events" ) || {} )[ event.type ] || [], + special = jQuery.event.special[ event.type ] || {}; + + // Use the fix-ed jQuery.Event rather than the (read-only) native event + args[ 0 ] = event; + + for ( i = 1; i < arguments.length; i++ ) { + args[ i ] = arguments[ i ]; + } + + event.delegateTarget = this; + + // Call the preDispatch hook for the mapped type, and let it bail if desired + if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) { + return; + } + + // Determine handlers + handlerQueue = jQuery.event.handlers.call( this, event, handlers ); + + // Run delegates first; they may want to stop propagation beneath us + i = 0; + while ( ( matched = handlerQueue[ i++ ] ) && !event.isPropagationStopped() ) { + event.currentTarget = matched.elem; + + j = 0; + while ( ( handleObj = matched.handlers[ j++ ] ) && + !event.isImmediatePropagationStopped() ) { + + // Triggered event must either 1) have no namespace, or 2) have namespace(s) + // a subset or equal to those in the bound event (both can have no namespace). + if ( !event.rnamespace || event.rnamespace.test( handleObj.namespace ) ) { + + event.handleObj = handleObj; + event.data = handleObj.data; + + ret = ( ( jQuery.event.special[ handleObj.origType ] || {} ).handle || + handleObj.handler ).apply( matched.elem, args ); + + if ( ret !== undefined ) { + if ( ( event.result = ret ) === false ) { + event.preventDefault(); + event.stopPropagation(); + } + } + } + } + } + + // Call the postDispatch hook for the mapped type + if ( special.postDispatch ) { + special.postDispatch.call( this, event ); + } + + return event.result; + }, + + handlers: function( event, handlers ) { + var i, handleObj, sel, matchedHandlers, matchedSelectors, + handlerQueue = [], + delegateCount = handlers.delegateCount, + cur = event.target; + + // Find delegate handlers + if ( delegateCount && + + // Support: IE <=9 + // Black-hole SVG instance trees (trac-13180) + cur.nodeType && + + // Support: Firefox <=42 + // Suppress spec-violating clicks indicating a non-primary pointer button (trac-3861) + // https://www.w3.org/TR/DOM-Level-3-Events/#event-type-click + // Support: IE 11 only + // ...but not arrow key "clicks" of radio inputs, which can have `button` -1 (gh-2343) + !( event.type === "click" && event.button >= 1 ) ) { + + for ( ; cur !== this; cur = cur.parentNode || this ) { + + // Don't check non-elements (#13208) + // Don't process clicks on disabled elements (#6911, #8165, #11382, #11764) + if ( cur.nodeType === 1 && !( event.type === "click" && cur.disabled === true ) ) { + matchedHandlers = []; + matchedSelectors = {}; + for ( i = 0; i < delegateCount; i++ ) { + handleObj = handlers[ i ]; + + // Don't conflict with Object.prototype properties (#13203) + sel = handleObj.selector + " "; + + if ( matchedSelectors[ sel ] === undefined ) { + matchedSelectors[ sel ] = handleObj.needsContext ? + jQuery( sel, this ).index( cur ) > -1 : + jQuery.find( sel, this, null, [ cur ] ).length; + } + if ( matchedSelectors[ sel ] ) { + matchedHandlers.push( handleObj ); + } + } + if ( matchedHandlers.length ) { + handlerQueue.push( { elem: cur, handlers: matchedHandlers } ); + } + } + } + } + + // Add the remaining (directly-bound) handlers + cur = this; + if ( delegateCount < handlers.length ) { + handlerQueue.push( { elem: cur, handlers: handlers.slice( delegateCount ) } ); + } + + return handlerQueue; + }, + + addProp: function( name, hook ) { + Object.defineProperty( jQuery.Event.prototype, name, { + enumerable: true, + configurable: true, + + get: isFunction( hook ) ? + function() { + if ( this.originalEvent ) { + return hook( this.originalEvent ); + } + } : + function() { + if ( this.originalEvent ) { + return this.originalEvent[ name ]; + } + }, + + set: function( value ) { + Object.defineProperty( this, name, { + enumerable: true, + configurable: true, + writable: true, + value: value + } ); + } + } ); + }, + + fix: function( originalEvent ) { + return originalEvent[ jQuery.expando ] ? + originalEvent : + new jQuery.Event( originalEvent ); + }, + + special: { + load: { + + // Prevent triggered image.load events from bubbling to window.load + noBubble: true + }, + focus: { + + // Fire native event if possible so blur/focus sequence is correct + trigger: function() { + if ( this !== safeActiveElement() && this.focus ) { + this.focus(); + return false; + } + }, + delegateType: "focusin" + }, + blur: { + trigger: function() { + if ( this === safeActiveElement() && this.blur ) { + this.blur(); + return false; + } + }, + delegateType: "focusout" + }, + click: { + + // For checkbox, fire native event so checked state will be right + trigger: function() { + if ( this.type === "checkbox" && this.click && nodeName( this, "input" ) ) { + this.click(); + return false; + } + }, + + // For cross-browser consistency, don't fire native .click() on links + _default: function( event ) { + return nodeName( event.target, "a" ); + } + }, + + beforeunload: { + postDispatch: function( event ) { + + // Support: Firefox 20+ + // Firefox doesn't alert if the returnValue field is not set. + if ( event.result !== undefined && event.originalEvent ) { + event.originalEvent.returnValue = event.result; + } + } + } + } +}; + +jQuery.removeEvent = function( elem, type, handle ) { + + // This "if" is needed for plain objects + if ( elem.removeEventListener ) { + elem.removeEventListener( type, handle ); + } +}; + +jQuery.Event = function( src, props ) { + + // Allow instantiation without the 'new' keyword + if ( !( this instanceof jQuery.Event ) ) { + return new jQuery.Event( src, props ); + } + + // Event object + if ( src && src.type ) { + this.originalEvent = src; + this.type = src.type; + + // Events bubbling up the document may have been marked as prevented + // by a handler lower down the tree; reflect the correct value. + this.isDefaultPrevented = src.defaultPrevented || + src.defaultPrevented === undefined && + + // Support: Android <=2.3 only + src.returnValue === false ? + returnTrue : + returnFalse; + + // Create target properties + // Support: Safari <=6 - 7 only + // Target should not be a text node (#504, #13143) + this.target = ( src.target && src.target.nodeType === 3 ) ? + src.target.parentNode : + src.target; + + this.currentTarget = src.currentTarget; + this.relatedTarget = src.relatedTarget; + + // Event type + } else { + this.type = src; + } + + // Put explicitly provided properties onto the event object + if ( props ) { + jQuery.extend( this, props ); + } + + // Create a timestamp if incoming event doesn't have one + this.timeStamp = src && src.timeStamp || Date.now(); + + // Mark it as fixed + this[ jQuery.expando ] = true; +}; + +// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding +// https://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html +jQuery.Event.prototype = { + constructor: jQuery.Event, + isDefaultPrevented: returnFalse, + isPropagationStopped: returnFalse, + isImmediatePropagationStopped: returnFalse, + isSimulated: false, + + preventDefault: function() { + var e = this.originalEvent; + + this.isDefaultPrevented = returnTrue; + + if ( e && !this.isSimulated ) { + e.preventDefault(); + } + }, + stopPropagation: function() { + var e = this.originalEvent; + + this.isPropagationStopped = returnTrue; + + if ( e && !this.isSimulated ) { + e.stopPropagation(); + } + }, + stopImmediatePropagation: function() { + var e = this.originalEvent; + + this.isImmediatePropagationStopped = returnTrue; + + if ( e && !this.isSimulated ) { + e.stopImmediatePropagation(); + } + + this.stopPropagation(); + } +}; + +// Includes all common event props including KeyEvent and MouseEvent specific props +jQuery.each( { + altKey: true, + bubbles: true, + cancelable: true, + changedTouches: true, + ctrlKey: true, + detail: true, + eventPhase: true, + metaKey: true, + pageX: true, + pageY: true, + shiftKey: true, + view: true, + "char": true, + charCode: true, + key: true, + keyCode: true, + button: true, + buttons: true, + clientX: true, + clientY: true, + offsetX: true, + offsetY: true, + pointerId: true, + pointerType: true, + screenX: true, + screenY: true, + targetTouches: true, + toElement: true, + touches: true, + + which: function( event ) { + var button = event.button; + + // Add which for key events + if ( event.which == null && rkeyEvent.test( event.type ) ) { + return event.charCode != null ? event.charCode : event.keyCode; + } + + // Add which for click: 1 === left; 2 === middle; 3 === right + if ( !event.which && button !== undefined && rmouseEvent.test( event.type ) ) { + if ( button & 1 ) { + return 1; + } + + if ( button & 2 ) { + return 3; + } + + if ( button & 4 ) { + return 2; + } + + return 0; + } + + return event.which; + } +}, jQuery.event.addProp ); + +// Create mouseenter/leave events using mouseover/out and event-time checks +// so that event delegation works in jQuery. +// Do the same for pointerenter/pointerleave and pointerover/pointerout +// +// Support: Safari 7 only +// Safari sends mouseenter too often; see: +// https://bugs.chromium.org/p/chromium/issues/detail?id=470258 +// for the description of the bug (it existed in older Chrome versions as well). +jQuery.each( { + mouseenter: "mouseover", + mouseleave: "mouseout", + pointerenter: "pointerover", + pointerleave: "pointerout" +}, function( orig, fix ) { + jQuery.event.special[ orig ] = { + delegateType: fix, + bindType: fix, + + handle: function( event ) { + var ret, + target = this, + related = event.relatedTarget, + handleObj = event.handleObj; + + // For mouseenter/leave call the handler if related is outside the target. + // NB: No relatedTarget if the mouse left/entered the browser window + if ( !related || ( related !== target && !jQuery.contains( target, related ) ) ) { + event.type = handleObj.origType; + ret = handleObj.handler.apply( this, arguments ); + event.type = fix; + } + return ret; + } + }; +} ); + +jQuery.fn.extend( { + + on: function( types, selector, data, fn ) { + return on( this, types, selector, data, fn ); + }, + one: function( types, selector, data, fn ) { + return on( this, types, selector, data, fn, 1 ); + }, + off: function( types, selector, fn ) { + var handleObj, type; + if ( types && types.preventDefault && types.handleObj ) { + + // ( event ) dispatched jQuery.Event + handleObj = types.handleObj; + jQuery( types.delegateTarget ).off( + handleObj.namespace ? + handleObj.origType + "." + handleObj.namespace : + handleObj.origType, + handleObj.selector, + handleObj.handler + ); + return this; + } + if ( typeof types === "object" ) { + + // ( types-object [, selector] ) + for ( type in types ) { + this.off( type, selector, types[ type ] ); + } + return this; + } + if ( selector === false || typeof selector === "function" ) { + + // ( types [, fn] ) + fn = selector; + selector = undefined; + } + if ( fn === false ) { + fn = returnFalse; + } + return this.each( function() { + jQuery.event.remove( this, types, fn, selector ); + } ); + } +} ); + + +var + + /* eslint-disable max-len */ + + // See https://github.com/eslint/eslint/issues/3229 + rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([a-z][^\/\0>\x20\t\r\n\f]*)[^>]*)\/>/gi, + + /* eslint-enable */ + + // Support: IE <=10 - 11, Edge 12 - 13 only + // In IE/Edge using regex groups here causes severe slowdowns. + // See https://connect.microsoft.com/IE/feedback/details/1736512/ + rnoInnerhtml = /\s*$/g; + +// Prefer a tbody over its parent table for containing new rows +function manipulationTarget( elem, content ) { + if ( nodeName( elem, "table" ) && + nodeName( content.nodeType !== 11 ? content : content.firstChild, "tr" ) ) { + + return jQuery( elem ).children( "tbody" )[ 0 ] || elem; + } + + return elem; +} + +// Replace/restore the type attribute of script elements for safe DOM manipulation +function disableScript( elem ) { + elem.type = ( elem.getAttribute( "type" ) !== null ) + "/" + elem.type; + return elem; +} +function restoreScript( elem ) { + if ( ( elem.type || "" ).slice( 0, 5 ) === "true/" ) { + elem.type = elem.type.slice( 5 ); + } else { + elem.removeAttribute( "type" ); + } + + return elem; +} + +function cloneCopyEvent( src, dest ) { + var i, l, type, pdataOld, pdataCur, udataOld, udataCur, events; + + if ( dest.nodeType !== 1 ) { + return; + } + + // 1. Copy private data: events, handlers, etc. + if ( dataPriv.hasData( src ) ) { + pdataOld = dataPriv.access( src ); + pdataCur = dataPriv.set( dest, pdataOld ); + events = pdataOld.events; + + if ( events ) { + delete pdataCur.handle; + pdataCur.events = {}; + + for ( type in events ) { + for ( i = 0, l = events[ type ].length; i < l; i++ ) { + jQuery.event.add( dest, type, events[ type ][ i ] ); + } + } + } + } + + // 2. Copy user data + if ( dataUser.hasData( src ) ) { + udataOld = dataUser.access( src ); + udataCur = jQuery.extend( {}, udataOld ); + + dataUser.set( dest, udataCur ); + } +} + +// Fix IE bugs, see support tests +function fixInput( src, dest ) { + var nodeName = dest.nodeName.toLowerCase(); + + // Fails to persist the checked state of a cloned checkbox or radio button. + if ( nodeName === "input" && rcheckableType.test( src.type ) ) { + dest.checked = src.checked; + + // Fails to return the selected option to the default selected state when cloning options + } else if ( nodeName === "input" || nodeName === "textarea" ) { + dest.defaultValue = src.defaultValue; + } +} + +function domManip( collection, args, callback, ignored ) { + + // Flatten any nested arrays + args = concat.apply( [], args ); + + var fragment, first, scripts, hasScripts, node, doc, + i = 0, + l = collection.length, + iNoClone = l - 1, + value = args[ 0 ], + valueIsFunction = isFunction( value ); + + // We can't cloneNode fragments that contain checked, in WebKit + if ( valueIsFunction || + ( l > 1 && typeof value === "string" && + !support.checkClone && rchecked.test( value ) ) ) { + return collection.each( function( index ) { + var self = collection.eq( index ); + if ( valueIsFunction ) { + args[ 0 ] = value.call( this, index, self.html() ); + } + domManip( self, args, callback, ignored ); + } ); + } + + if ( l ) { + fragment = buildFragment( args, collection[ 0 ].ownerDocument, false, collection, ignored ); + first = fragment.firstChild; + + if ( fragment.childNodes.length === 1 ) { + fragment = first; + } + + // Require either new content or an interest in ignored elements to invoke the callback + if ( first || ignored ) { + scripts = jQuery.map( getAll( fragment, "script" ), disableScript ); + hasScripts = scripts.length; + + // Use the original fragment for the last item + // instead of the first because it can end up + // being emptied incorrectly in certain situations (#8070). + for ( ; i < l; i++ ) { + node = fragment; + + if ( i !== iNoClone ) { + node = jQuery.clone( node, true, true ); + + // Keep references to cloned scripts for later restoration + if ( hasScripts ) { + + // Support: Android <=4.0 only, PhantomJS 1 only + // push.apply(_, arraylike) throws on ancient WebKit + jQuery.merge( scripts, getAll( node, "script" ) ); + } + } + + callback.call( collection[ i ], node, i ); + } + + if ( hasScripts ) { + doc = scripts[ scripts.length - 1 ].ownerDocument; + + // Reenable scripts + jQuery.map( scripts, restoreScript ); + + // Evaluate executable scripts on first document insertion + for ( i = 0; i < hasScripts; i++ ) { + node = scripts[ i ]; + if ( rscriptType.test( node.type || "" ) && + !dataPriv.access( node, "globalEval" ) && + jQuery.contains( doc, node ) ) { + + if ( node.src && ( node.type || "" ).toLowerCase() !== "module" ) { + + // Optional AJAX dependency, but won't run scripts if not present + if ( jQuery._evalUrl ) { + jQuery._evalUrl( node.src ); + } + } else { + DOMEval( node.textContent.replace( rcleanScript, "" ), doc, node ); + } + } + } + } + } + } + + return collection; +} + +function remove( elem, selector, keepData ) { + var node, + nodes = selector ? jQuery.filter( selector, elem ) : elem, + i = 0; + + for ( ; ( node = nodes[ i ] ) != null; i++ ) { + if ( !keepData && node.nodeType === 1 ) { + jQuery.cleanData( getAll( node ) ); + } + + if ( node.parentNode ) { + if ( keepData && jQuery.contains( node.ownerDocument, node ) ) { + setGlobalEval( getAll( node, "script" ) ); + } + node.parentNode.removeChild( node ); + } + } + + return elem; +} + +jQuery.extend( { + htmlPrefilter: function( html ) { + return html.replace( rxhtmlTag, "<$1>" ); + }, + + clone: function( elem, dataAndEvents, deepDataAndEvents ) { + var i, l, srcElements, destElements, + clone = elem.cloneNode( true ), + inPage = jQuery.contains( elem.ownerDocument, elem ); + + // Fix IE cloning issues + if ( !support.noCloneChecked && ( elem.nodeType === 1 || elem.nodeType === 11 ) && + !jQuery.isXMLDoc( elem ) ) { + + // We eschew Sizzle here for performance reasons: https://jsperf.com/getall-vs-sizzle/2 + destElements = getAll( clone ); + srcElements = getAll( elem ); + + for ( i = 0, l = srcElements.length; i < l; i++ ) { + fixInput( srcElements[ i ], destElements[ i ] ); + } + } + + // Copy the events from the original to the clone + if ( dataAndEvents ) { + if ( deepDataAndEvents ) { + srcElements = srcElements || getAll( elem ); + destElements = destElements || getAll( clone ); + + for ( i = 0, l = srcElements.length; i < l; i++ ) { + cloneCopyEvent( srcElements[ i ], destElements[ i ] ); + } + } else { + cloneCopyEvent( elem, clone ); + } + } + + // Preserve script evaluation history + destElements = getAll( clone, "script" ); + if ( destElements.length > 0 ) { + setGlobalEval( destElements, !inPage && getAll( elem, "script" ) ); + } + + // Return the cloned set + return clone; + }, + + cleanData: function( elems ) { + var data, elem, type, + special = jQuery.event.special, + i = 0; + + for ( ; ( elem = elems[ i ] ) !== undefined; i++ ) { + if ( acceptData( elem ) ) { + if ( ( data = elem[ dataPriv.expando ] ) ) { + if ( data.events ) { + for ( type in data.events ) { + if ( special[ type ] ) { + jQuery.event.remove( elem, type ); + + // This is a shortcut to avoid jQuery.event.remove's overhead + } else { + jQuery.removeEvent( elem, type, data.handle ); + } + } + } + + // Support: Chrome <=35 - 45+ + // Assign undefined instead of using delete, see Data#remove + elem[ dataPriv.expando ] = undefined; + } + if ( elem[ dataUser.expando ] ) { + + // Support: Chrome <=35 - 45+ + // Assign undefined instead of using delete, see Data#remove + elem[ dataUser.expando ] = undefined; + } + } + } + } +} ); + +jQuery.fn.extend( { + detach: function( selector ) { + return remove( this, selector, true ); + }, + + remove: function( selector ) { + return remove( this, selector ); + }, + + text: function( value ) { + return access( this, function( value ) { + return value === undefined ? + jQuery.text( this ) : + this.empty().each( function() { + if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { + this.textContent = value; + } + } ); + }, null, value, arguments.length ); + }, + + append: function() { + return domManip( this, arguments, function( elem ) { + if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { + var target = manipulationTarget( this, elem ); + target.appendChild( elem ); + } + } ); + }, + + prepend: function() { + return domManip( this, arguments, function( elem ) { + if ( this.nodeType === 1 || this.nodeType === 11 || this.nodeType === 9 ) { + var target = manipulationTarget( this, elem ); + target.insertBefore( elem, target.firstChild ); + } + } ); + }, + + before: function() { + return domManip( this, arguments, function( elem ) { + if ( this.parentNode ) { + this.parentNode.insertBefore( elem, this ); + } + } ); + }, + + after: function() { + return domManip( this, arguments, function( elem ) { + if ( this.parentNode ) { + this.parentNode.insertBefore( elem, this.nextSibling ); + } + } ); + }, + + empty: function() { + var elem, + i = 0; + + for ( ; ( elem = this[ i ] ) != null; i++ ) { + if ( elem.nodeType === 1 ) { + + // Prevent memory leaks + jQuery.cleanData( getAll( elem, false ) ); + + // Remove any remaining nodes + elem.textContent = ""; + } + } + + return this; + }, + + clone: function( dataAndEvents, deepDataAndEvents ) { + dataAndEvents = dataAndEvents == null ? false : dataAndEvents; + deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents; + + return this.map( function() { + return jQuery.clone( this, dataAndEvents, deepDataAndEvents ); + } ); + }, + + html: function( value ) { + return access( this, function( value ) { + var elem = this[ 0 ] || {}, + i = 0, + l = this.length; + + if ( value === undefined && elem.nodeType === 1 ) { + return elem.innerHTML; + } + + // See if we can take a shortcut and just use innerHTML + if ( typeof value === "string" && !rnoInnerhtml.test( value ) && + !wrapMap[ ( rtagName.exec( value ) || [ "", "" ] )[ 1 ].toLowerCase() ] ) { + + value = jQuery.htmlPrefilter( value ); + + try { + for ( ; i < l; i++ ) { + elem = this[ i ] || {}; + + // Remove element nodes and prevent memory leaks + if ( elem.nodeType === 1 ) { + jQuery.cleanData( getAll( elem, false ) ); + elem.innerHTML = value; + } + } + + elem = 0; + + // If using innerHTML throws an exception, use the fallback method + } catch ( e ) {} + } + + if ( elem ) { + this.empty().append( value ); + } + }, null, value, arguments.length ); + }, + + replaceWith: function() { + var ignored = []; + + // Make the changes, replacing each non-ignored context element with the new content + return domManip( this, arguments, function( elem ) { + var parent = this.parentNode; + + if ( jQuery.inArray( this, ignored ) < 0 ) { + jQuery.cleanData( getAll( this ) ); + if ( parent ) { + parent.replaceChild( elem, this ); + } + } + + // Force callback invocation + }, ignored ); + } +} ); + +jQuery.each( { + appendTo: "append", + prependTo: "prepend", + insertBefore: "before", + insertAfter: "after", + replaceAll: "replaceWith" +}, function( name, original ) { + jQuery.fn[ name ] = function( selector ) { + var elems, + ret = [], + insert = jQuery( selector ), + last = insert.length - 1, + i = 0; + + for ( ; i <= last; i++ ) { + elems = i === last ? this : this.clone( true ); + jQuery( insert[ i ] )[ original ]( elems ); + + // Support: Android <=4.0 only, PhantomJS 1 only + // .get() because push.apply(_, arraylike) throws on ancient WebKit + push.apply( ret, elems.get() ); + } + + return this.pushStack( ret ); + }; +} ); +var rnumnonpx = new RegExp( "^(" + pnum + ")(?!px)[a-z%]+$", "i" ); + +var getStyles = function( elem ) { + + // Support: IE <=11 only, Firefox <=30 (#15098, #14150) + // IE throws on elements created in popups + // FF meanwhile throws on frame elements through "defaultView.getComputedStyle" + var view = elem.ownerDocument.defaultView; + + if ( !view || !view.opener ) { + view = window; + } + + return view.getComputedStyle( elem ); + }; + +var rboxStyle = new RegExp( cssExpand.join( "|" ), "i" ); + + + +( function() { + + // Executing both pixelPosition & boxSizingReliable tests require only one layout + // so they're executed at the same time to save the second computation. + function computeStyleTests() { + + // This is a singleton, we need to execute it only once + if ( !div ) { + return; + } + + container.style.cssText = "position:absolute;left:-11111px;width:60px;" + + "margin-top:1px;padding:0;border:0"; + div.style.cssText = + "position:relative;display:block;box-sizing:border-box;overflow:scroll;" + + "margin:auto;border:1px;padding:1px;" + + "width:60%;top:1%"; + documentElement.appendChild( container ).appendChild( div ); + + var divStyle = window.getComputedStyle( div ); + pixelPositionVal = divStyle.top !== "1%"; + + // Support: Android 4.0 - 4.3 only, Firefox <=3 - 44 + reliableMarginLeftVal = roundPixelMeasures( divStyle.marginLeft ) === 12; + + // Support: Android 4.0 - 4.3 only, Safari <=9.1 - 10.1, iOS <=7.0 - 9.3 + // Some styles come back with percentage values, even though they shouldn't + div.style.right = "60%"; + pixelBoxStylesVal = roundPixelMeasures( divStyle.right ) === 36; + + // Support: IE 9 - 11 only + // Detect misreporting of content dimensions for box-sizing:border-box elements + boxSizingReliableVal = roundPixelMeasures( divStyle.width ) === 36; + + // Support: IE 9 only + // Detect overflow:scroll screwiness (gh-3699) + div.style.position = "absolute"; + scrollboxSizeVal = div.offsetWidth === 36 || "absolute"; + + documentElement.removeChild( container ); + + // Nullify the div so it wouldn't be stored in the memory and + // it will also be a sign that checks already performed + div = null; + } + + function roundPixelMeasures( measure ) { + return Math.round( parseFloat( measure ) ); + } + + var pixelPositionVal, boxSizingReliableVal, scrollboxSizeVal, pixelBoxStylesVal, + reliableMarginLeftVal, + container = document.createElement( "div" ), + div = document.createElement( "div" ); + + // Finish early in limited (non-browser) environments + if ( !div.style ) { + return; + } + + // Support: IE <=9 - 11 only + // Style of cloned element affects source element cloned (#8908) + div.style.backgroundClip = "content-box"; + div.cloneNode( true ).style.backgroundClip = ""; + support.clearCloneStyle = div.style.backgroundClip === "content-box"; + + jQuery.extend( support, { + boxSizingReliable: function() { + computeStyleTests(); + return boxSizingReliableVal; + }, + pixelBoxStyles: function() { + computeStyleTests(); + return pixelBoxStylesVal; + }, + pixelPosition: function() { + computeStyleTests(); + return pixelPositionVal; + }, + reliableMarginLeft: function() { + computeStyleTests(); + return reliableMarginLeftVal; + }, + scrollboxSize: function() { + computeStyleTests(); + return scrollboxSizeVal; + } + } ); +} )(); + + +function curCSS( elem, name, computed ) { + var width, minWidth, maxWidth, ret, + + // Support: Firefox 51+ + // Retrieving style before computed somehow + // fixes an issue with getting wrong values + // on detached elements + style = elem.style; + + computed = computed || getStyles( elem ); + + // getPropertyValue is needed for: + // .css('filter') (IE 9 only, #12537) + // .css('--customProperty) (#3144) + if ( computed ) { + ret = computed.getPropertyValue( name ) || computed[ name ]; + + if ( ret === "" && !jQuery.contains( elem.ownerDocument, elem ) ) { + ret = jQuery.style( elem, name ); + } + + // A tribute to the "awesome hack by Dean Edwards" + // Android Browser returns percentage for some values, + // but width seems to be reliably pixels. + // This is against the CSSOM draft spec: + // https://drafts.csswg.org/cssom/#resolved-values + if ( !support.pixelBoxStyles() && rnumnonpx.test( ret ) && rboxStyle.test( name ) ) { + + // Remember the original values + width = style.width; + minWidth = style.minWidth; + maxWidth = style.maxWidth; + + // Put in the new values to get a computed value out + style.minWidth = style.maxWidth = style.width = ret; + ret = computed.width; + + // Revert the changed values + style.width = width; + style.minWidth = minWidth; + style.maxWidth = maxWidth; + } + } + + return ret !== undefined ? + + // Support: IE <=9 - 11 only + // IE returns zIndex value as an integer. + ret + "" : + ret; +} + + +function addGetHookIf( conditionFn, hookFn ) { + + // Define the hook, we'll check on the first run if it's really needed. + return { + get: function() { + if ( conditionFn() ) { + + // Hook not needed (or it's not possible to use it due + // to missing dependency), remove it. + delete this.get; + return; + } + + // Hook needed; redefine it so that the support test is not executed again. + return ( this.get = hookFn ).apply( this, arguments ); + } + }; +} + + +var + + // Swappable if display is none or starts with table + // except "table", "table-cell", or "table-caption" + // See here for display values: https://developer.mozilla.org/en-US/docs/CSS/display + rdisplayswap = /^(none|table(?!-c[ea]).+)/, + rcustomProp = /^--/, + cssShow = { position: "absolute", visibility: "hidden", display: "block" }, + cssNormalTransform = { + letterSpacing: "0", + fontWeight: "400" + }, + + cssPrefixes = [ "Webkit", "Moz", "ms" ], + emptyStyle = document.createElement( "div" ).style; + +// Return a css property mapped to a potentially vendor prefixed property +function vendorPropName( name ) { + + // Shortcut for names that are not vendor prefixed + if ( name in emptyStyle ) { + return name; + } + + // Check for vendor prefixed names + var capName = name[ 0 ].toUpperCase() + name.slice( 1 ), + i = cssPrefixes.length; + + while ( i-- ) { + name = cssPrefixes[ i ] + capName; + if ( name in emptyStyle ) { + return name; + } + } +} + +// Return a property mapped along what jQuery.cssProps suggests or to +// a vendor prefixed property. +function finalPropName( name ) { + var ret = jQuery.cssProps[ name ]; + if ( !ret ) { + ret = jQuery.cssProps[ name ] = vendorPropName( name ) || name; + } + return ret; +} + +function setPositiveNumber( elem, value, subtract ) { + + // Any relative (+/-) values have already been + // normalized at this point + var matches = rcssNum.exec( value ); + return matches ? + + // Guard against undefined "subtract", e.g., when used as in cssHooks + Math.max( 0, matches[ 2 ] - ( subtract || 0 ) ) + ( matches[ 3 ] || "px" ) : + value; +} + +function boxModelAdjustment( elem, dimension, box, isBorderBox, styles, computedVal ) { + var i = dimension === "width" ? 1 : 0, + extra = 0, + delta = 0; + + // Adjustment may not be necessary + if ( box === ( isBorderBox ? "border" : "content" ) ) { + return 0; + } + + for ( ; i < 4; i += 2 ) { + + // Both box models exclude margin + if ( box === "margin" ) { + delta += jQuery.css( elem, box + cssExpand[ i ], true, styles ); + } + + // If we get here with a content-box, we're seeking "padding" or "border" or "margin" + if ( !isBorderBox ) { + + // Add padding + delta += jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); + + // For "border" or "margin", add border + if ( box !== "padding" ) { + delta += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); + + // But still keep track of it otherwise + } else { + extra += jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); + } + + // If we get here with a border-box (content + padding + border), we're seeking "content" or + // "padding" or "margin" + } else { + + // For "content", subtract padding + if ( box === "content" ) { + delta -= jQuery.css( elem, "padding" + cssExpand[ i ], true, styles ); + } + + // For "content" or "padding", subtract border + if ( box !== "margin" ) { + delta -= jQuery.css( elem, "border" + cssExpand[ i ] + "Width", true, styles ); + } + } + } + + // Account for positive content-box scroll gutter when requested by providing computedVal + if ( !isBorderBox && computedVal >= 0 ) { + + // offsetWidth/offsetHeight is a rounded sum of content, padding, scroll gutter, and border + // Assuming integer scroll gutter, subtract the rest and round down + delta += Math.max( 0, Math.ceil( + elem[ "offset" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 ) ] - + computedVal - + delta - + extra - + 0.5 + ) ); + } + + return delta; +} + +function getWidthOrHeight( elem, dimension, extra ) { + + // Start with computed style + var styles = getStyles( elem ), + val = curCSS( elem, dimension, styles ), + isBorderBox = jQuery.css( elem, "boxSizing", false, styles ) === "border-box", + valueIsBorderBox = isBorderBox; + + // Support: Firefox <=54 + // Return a confounding non-pixel value or feign ignorance, as appropriate. + if ( rnumnonpx.test( val ) ) { + if ( !extra ) { + return val; + } + val = "auto"; + } + + // Check for style in case a browser which returns unreliable values + // for getComputedStyle silently falls back to the reliable elem.style + valueIsBorderBox = valueIsBorderBox && + ( support.boxSizingReliable() || val === elem.style[ dimension ] ); + + // Fall back to offsetWidth/offsetHeight when value is "auto" + // This happens for inline elements with no explicit setting (gh-3571) + // Support: Android <=4.1 - 4.3 only + // Also use offsetWidth/offsetHeight for misreported inline dimensions (gh-3602) + if ( val === "auto" || + !parseFloat( val ) && jQuery.css( elem, "display", false, styles ) === "inline" ) { + + val = elem[ "offset" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 ) ]; + + // offsetWidth/offsetHeight provide border-box values + valueIsBorderBox = true; + } + + // Normalize "" and auto + val = parseFloat( val ) || 0; + + // Adjust for the element's box model + return ( val + + boxModelAdjustment( + elem, + dimension, + extra || ( isBorderBox ? "border" : "content" ), + valueIsBorderBox, + styles, + + // Provide the current computed size to request scroll gutter calculation (gh-3589) + val + ) + ) + "px"; +} + +jQuery.extend( { + + // Add in style property hooks for overriding the default + // behavior of getting and setting a style property + cssHooks: { + opacity: { + get: function( elem, computed ) { + if ( computed ) { + + // We should always get a number back from opacity + var ret = curCSS( elem, "opacity" ); + return ret === "" ? "1" : ret; + } + } + } + }, + + // Don't automatically add "px" to these possibly-unitless properties + cssNumber: { + "animationIterationCount": true, + "columnCount": true, + "fillOpacity": true, + "flexGrow": true, + "flexShrink": true, + "fontWeight": true, + "lineHeight": true, + "opacity": true, + "order": true, + "orphans": true, + "widows": true, + "zIndex": true, + "zoom": true + }, + + // Add in properties whose names you wish to fix before + // setting or getting the value + cssProps: {}, + + // Get and set the style property on a DOM Node + style: function( elem, name, value, extra ) { + + // Don't set styles on text and comment nodes + if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) { + return; + } + + // Make sure that we're working with the right name + var ret, type, hooks, + origName = camelCase( name ), + isCustomProp = rcustomProp.test( name ), + style = elem.style; + + // Make sure that we're working with the right name. We don't + // want to query the value if it is a CSS custom property + // since they are user-defined. + if ( !isCustomProp ) { + name = finalPropName( origName ); + } + + // Gets hook for the prefixed version, then unprefixed version + hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; + + // Check if we're setting a value + if ( value !== undefined ) { + type = typeof value; + + // Convert "+=" or "-=" to relative numbers (#7345) + if ( type === "string" && ( ret = rcssNum.exec( value ) ) && ret[ 1 ] ) { + value = adjustCSS( elem, name, ret ); + + // Fixes bug #9237 + type = "number"; + } + + // Make sure that null and NaN values aren't set (#7116) + if ( value == null || value !== value ) { + return; + } + + // If a number was passed in, add the unit (except for certain CSS properties) + if ( type === "number" ) { + value += ret && ret[ 3 ] || ( jQuery.cssNumber[ origName ] ? "" : "px" ); + } + + // background-* props affect original clone's values + if ( !support.clearCloneStyle && value === "" && name.indexOf( "background" ) === 0 ) { + style[ name ] = "inherit"; + } + + // If a hook was provided, use that value, otherwise just set the specified value + if ( !hooks || !( "set" in hooks ) || + ( value = hooks.set( elem, value, extra ) ) !== undefined ) { + + if ( isCustomProp ) { + style.setProperty( name, value ); + } else { + style[ name ] = value; + } + } + + } else { + + // If a hook was provided get the non-computed value from there + if ( hooks && "get" in hooks && + ( ret = hooks.get( elem, false, extra ) ) !== undefined ) { + + return ret; + } + + // Otherwise just get the value from the style object + return style[ name ]; + } + }, + + css: function( elem, name, extra, styles ) { + var val, num, hooks, + origName = camelCase( name ), + isCustomProp = rcustomProp.test( name ); + + // Make sure that we're working with the right name. We don't + // want to modify the value if it is a CSS custom property + // since they are user-defined. + if ( !isCustomProp ) { + name = finalPropName( origName ); + } + + // Try prefixed name followed by the unprefixed name + hooks = jQuery.cssHooks[ name ] || jQuery.cssHooks[ origName ]; + + // If a hook was provided get the computed value from there + if ( hooks && "get" in hooks ) { + val = hooks.get( elem, true, extra ); + } + + // Otherwise, if a way to get the computed value exists, use that + if ( val === undefined ) { + val = curCSS( elem, name, styles ); + } + + // Convert "normal" to computed value + if ( val === "normal" && name in cssNormalTransform ) { + val = cssNormalTransform[ name ]; + } + + // Make numeric if forced or a qualifier was provided and val looks numeric + if ( extra === "" || extra ) { + num = parseFloat( val ); + return extra === true || isFinite( num ) ? num || 0 : val; + } + + return val; + } +} ); + +jQuery.each( [ "height", "width" ], function( i, dimension ) { + jQuery.cssHooks[ dimension ] = { + get: function( elem, computed, extra ) { + if ( computed ) { + + // Certain elements can have dimension info if we invisibly show them + // but it must have a current display style that would benefit + return rdisplayswap.test( jQuery.css( elem, "display" ) ) && + + // Support: Safari 8+ + // Table columns in Safari have non-zero offsetWidth & zero + // getBoundingClientRect().width unless display is changed. + // Support: IE <=11 only + // Running getBoundingClientRect on a disconnected node + // in IE throws an error. + ( !elem.getClientRects().length || !elem.getBoundingClientRect().width ) ? + swap( elem, cssShow, function() { + return getWidthOrHeight( elem, dimension, extra ); + } ) : + getWidthOrHeight( elem, dimension, extra ); + } + }, + + set: function( elem, value, extra ) { + var matches, + styles = getStyles( elem ), + isBorderBox = jQuery.css( elem, "boxSizing", false, styles ) === "border-box", + subtract = extra && boxModelAdjustment( + elem, + dimension, + extra, + isBorderBox, + styles + ); + + // Account for unreliable border-box dimensions by comparing offset* to computed and + // faking a content-box to get border and padding (gh-3699) + if ( isBorderBox && support.scrollboxSize() === styles.position ) { + subtract -= Math.ceil( + elem[ "offset" + dimension[ 0 ].toUpperCase() + dimension.slice( 1 ) ] - + parseFloat( styles[ dimension ] ) - + boxModelAdjustment( elem, dimension, "border", false, styles ) - + 0.5 + ); + } + + // Convert to pixels if value adjustment is needed + if ( subtract && ( matches = rcssNum.exec( value ) ) && + ( matches[ 3 ] || "px" ) !== "px" ) { + + elem.style[ dimension ] = value; + value = jQuery.css( elem, dimension ); + } + + return setPositiveNumber( elem, value, subtract ); + } + }; +} ); + +jQuery.cssHooks.marginLeft = addGetHookIf( support.reliableMarginLeft, + function( elem, computed ) { + if ( computed ) { + return ( parseFloat( curCSS( elem, "marginLeft" ) ) || + elem.getBoundingClientRect().left - + swap( elem, { marginLeft: 0 }, function() { + return elem.getBoundingClientRect().left; + } ) + ) + "px"; + } + } +); + +// These hooks are used by animate to expand properties +jQuery.each( { + margin: "", + padding: "", + border: "Width" +}, function( prefix, suffix ) { + jQuery.cssHooks[ prefix + suffix ] = { + expand: function( value ) { + var i = 0, + expanded = {}, + + // Assumes a single number if not a string + parts = typeof value === "string" ? value.split( " " ) : [ value ]; + + for ( ; i < 4; i++ ) { + expanded[ prefix + cssExpand[ i ] + suffix ] = + parts[ i ] || parts[ i - 2 ] || parts[ 0 ]; + } + + return expanded; + } + }; + + if ( prefix !== "margin" ) { + jQuery.cssHooks[ prefix + suffix ].set = setPositiveNumber; + } +} ); + +jQuery.fn.extend( { + css: function( name, value ) { + return access( this, function( elem, name, value ) { + var styles, len, + map = {}, + i = 0; + + if ( Array.isArray( name ) ) { + styles = getStyles( elem ); + len = name.length; + + for ( ; i < len; i++ ) { + map[ name[ i ] ] = jQuery.css( elem, name[ i ], false, styles ); + } + + return map; + } + + return value !== undefined ? + jQuery.style( elem, name, value ) : + jQuery.css( elem, name ); + }, name, value, arguments.length > 1 ); + } +} ); + + +function Tween( elem, options, prop, end, easing ) { + return new Tween.prototype.init( elem, options, prop, end, easing ); +} +jQuery.Tween = Tween; + +Tween.prototype = { + constructor: Tween, + init: function( elem, options, prop, end, easing, unit ) { + this.elem = elem; + this.prop = prop; + this.easing = easing || jQuery.easing._default; + this.options = options; + this.start = this.now = this.cur(); + this.end = end; + this.unit = unit || ( jQuery.cssNumber[ prop ] ? "" : "px" ); + }, + cur: function() { + var hooks = Tween.propHooks[ this.prop ]; + + return hooks && hooks.get ? + hooks.get( this ) : + Tween.propHooks._default.get( this ); + }, + run: function( percent ) { + var eased, + hooks = Tween.propHooks[ this.prop ]; + + if ( this.options.duration ) { + this.pos = eased = jQuery.easing[ this.easing ]( + percent, this.options.duration * percent, 0, 1, this.options.duration + ); + } else { + this.pos = eased = percent; + } + this.now = ( this.end - this.start ) * eased + this.start; + + if ( this.options.step ) { + this.options.step.call( this.elem, this.now, this ); + } + + if ( hooks && hooks.set ) { + hooks.set( this ); + } else { + Tween.propHooks._default.set( this ); + } + return this; + } +}; + +Tween.prototype.init.prototype = Tween.prototype; + +Tween.propHooks = { + _default: { + get: function( tween ) { + var result; + + // Use a property on the element directly when it is not a DOM element, + // or when there is no matching style property that exists. + if ( tween.elem.nodeType !== 1 || + tween.elem[ tween.prop ] != null && tween.elem.style[ tween.prop ] == null ) { + return tween.elem[ tween.prop ]; + } + + // Passing an empty string as a 3rd parameter to .css will automatically + // attempt a parseFloat and fallback to a string if the parse fails. + // Simple values such as "10px" are parsed to Float; + // complex values such as "rotate(1rad)" are returned as-is. + result = jQuery.css( tween.elem, tween.prop, "" ); + + // Empty strings, null, undefined and "auto" are converted to 0. + return !result || result === "auto" ? 0 : result; + }, + set: function( tween ) { + + // Use step hook for back compat. + // Use cssHook if its there. + // Use .style if available and use plain properties where available. + if ( jQuery.fx.step[ tween.prop ] ) { + jQuery.fx.step[ tween.prop ]( tween ); + } else if ( tween.elem.nodeType === 1 && + ( tween.elem.style[ jQuery.cssProps[ tween.prop ] ] != null || + jQuery.cssHooks[ tween.prop ] ) ) { + jQuery.style( tween.elem, tween.prop, tween.now + tween.unit ); + } else { + tween.elem[ tween.prop ] = tween.now; + } + } + } +}; + +// Support: IE <=9 only +// Panic based approach to setting things on disconnected nodes +Tween.propHooks.scrollTop = Tween.propHooks.scrollLeft = { + set: function( tween ) { + if ( tween.elem.nodeType && tween.elem.parentNode ) { + tween.elem[ tween.prop ] = tween.now; + } + } +}; + +jQuery.easing = { + linear: function( p ) { + return p; + }, + swing: function( p ) { + return 0.5 - Math.cos( p * Math.PI ) / 2; + }, + _default: "swing" +}; + +jQuery.fx = Tween.prototype.init; + +// Back compat <1.8 extension point +jQuery.fx.step = {}; + + + + +var + fxNow, inProgress, + rfxtypes = /^(?:toggle|show|hide)$/, + rrun = /queueHooks$/; + +function schedule() { + if ( inProgress ) { + if ( document.hidden === false && window.requestAnimationFrame ) { + window.requestAnimationFrame( schedule ); + } else { + window.setTimeout( schedule, jQuery.fx.interval ); + } + + jQuery.fx.tick(); + } +} + +// Animations created synchronously will run synchronously +function createFxNow() { + window.setTimeout( function() { + fxNow = undefined; + } ); + return ( fxNow = Date.now() ); +} + +// Generate parameters to create a standard animation +function genFx( type, includeWidth ) { + var which, + i = 0, + attrs = { height: type }; + + // If we include width, step value is 1 to do all cssExpand values, + // otherwise step value is 2 to skip over Left and Right + includeWidth = includeWidth ? 1 : 0; + for ( ; i < 4; i += 2 - includeWidth ) { + which = cssExpand[ i ]; + attrs[ "margin" + which ] = attrs[ "padding" + which ] = type; + } + + if ( includeWidth ) { + attrs.opacity = attrs.width = type; + } + + return attrs; +} + +function createTween( value, prop, animation ) { + var tween, + collection = ( Animation.tweeners[ prop ] || [] ).concat( Animation.tweeners[ "*" ] ), + index = 0, + length = collection.length; + for ( ; index < length; index++ ) { + if ( ( tween = collection[ index ].call( animation, prop, value ) ) ) { + + // We're done with this property + return tween; + } + } +} + +function defaultPrefilter( elem, props, opts ) { + var prop, value, toggle, hooks, oldfire, propTween, restoreDisplay, display, + isBox = "width" in props || "height" in props, + anim = this, + orig = {}, + style = elem.style, + hidden = elem.nodeType && isHiddenWithinTree( elem ), + dataShow = dataPriv.get( elem, "fxshow" ); + + // Queue-skipping animations hijack the fx hooks + if ( !opts.queue ) { + hooks = jQuery._queueHooks( elem, "fx" ); + if ( hooks.unqueued == null ) { + hooks.unqueued = 0; + oldfire = hooks.empty.fire; + hooks.empty.fire = function() { + if ( !hooks.unqueued ) { + oldfire(); + } + }; + } + hooks.unqueued++; + + anim.always( function() { + + // Ensure the complete handler is called before this completes + anim.always( function() { + hooks.unqueued--; + if ( !jQuery.queue( elem, "fx" ).length ) { + hooks.empty.fire(); + } + } ); + } ); + } + + // Detect show/hide animations + for ( prop in props ) { + value = props[ prop ]; + if ( rfxtypes.test( value ) ) { + delete props[ prop ]; + toggle = toggle || value === "toggle"; + if ( value === ( hidden ? "hide" : "show" ) ) { + + // Pretend to be hidden if this is a "show" and + // there is still data from a stopped show/hide + if ( value === "show" && dataShow && dataShow[ prop ] !== undefined ) { + hidden = true; + + // Ignore all other no-op show/hide data + } else { + continue; + } + } + orig[ prop ] = dataShow && dataShow[ prop ] || jQuery.style( elem, prop ); + } + } + + // Bail out if this is a no-op like .hide().hide() + propTween = !jQuery.isEmptyObject( props ); + if ( !propTween && jQuery.isEmptyObject( orig ) ) { + return; + } + + // Restrict "overflow" and "display" styles during box animations + if ( isBox && elem.nodeType === 1 ) { + + // Support: IE <=9 - 11, Edge 12 - 15 + // Record all 3 overflow attributes because IE does not infer the shorthand + // from identically-valued overflowX and overflowY and Edge just mirrors + // the overflowX value there. + opts.overflow = [ style.overflow, style.overflowX, style.overflowY ]; + + // Identify a display type, preferring old show/hide data over the CSS cascade + restoreDisplay = dataShow && dataShow.display; + if ( restoreDisplay == null ) { + restoreDisplay = dataPriv.get( elem, "display" ); + } + display = jQuery.css( elem, "display" ); + if ( display === "none" ) { + if ( restoreDisplay ) { + display = restoreDisplay; + } else { + + // Get nonempty value(s) by temporarily forcing visibility + showHide( [ elem ], true ); + restoreDisplay = elem.style.display || restoreDisplay; + display = jQuery.css( elem, "display" ); + showHide( [ elem ] ); + } + } + + // Animate inline elements as inline-block + if ( display === "inline" || display === "inline-block" && restoreDisplay != null ) { + if ( jQuery.css( elem, "float" ) === "none" ) { + + // Restore the original display value at the end of pure show/hide animations + if ( !propTween ) { + anim.done( function() { + style.display = restoreDisplay; + } ); + if ( restoreDisplay == null ) { + display = style.display; + restoreDisplay = display === "none" ? "" : display; + } + } + style.display = "inline-block"; + } + } + } + + if ( opts.overflow ) { + style.overflow = "hidden"; + anim.always( function() { + style.overflow = opts.overflow[ 0 ]; + style.overflowX = opts.overflow[ 1 ]; + style.overflowY = opts.overflow[ 2 ]; + } ); + } + + // Implement show/hide animations + propTween = false; + for ( prop in orig ) { + + // General show/hide setup for this element animation + if ( !propTween ) { + if ( dataShow ) { + if ( "hidden" in dataShow ) { + hidden = dataShow.hidden; + } + } else { + dataShow = dataPriv.access( elem, "fxshow", { display: restoreDisplay } ); + } + + // Store hidden/visible for toggle so `.stop().toggle()` "reverses" + if ( toggle ) { + dataShow.hidden = !hidden; + } + + // Show elements before animating them + if ( hidden ) { + showHide( [ elem ], true ); + } + + /* eslint-disable no-loop-func */ + + anim.done( function() { + + /* eslint-enable no-loop-func */ + + // The final step of a "hide" animation is actually hiding the element + if ( !hidden ) { + showHide( [ elem ] ); + } + dataPriv.remove( elem, "fxshow" ); + for ( prop in orig ) { + jQuery.style( elem, prop, orig[ prop ] ); + } + } ); + } + + // Per-property setup + propTween = createTween( hidden ? dataShow[ prop ] : 0, prop, anim ); + if ( !( prop in dataShow ) ) { + dataShow[ prop ] = propTween.start; + if ( hidden ) { + propTween.end = propTween.start; + propTween.start = 0; + } + } + } +} + +function propFilter( props, specialEasing ) { + var index, name, easing, value, hooks; + + // camelCase, specialEasing and expand cssHook pass + for ( index in props ) { + name = camelCase( index ); + easing = specialEasing[ name ]; + value = props[ index ]; + if ( Array.isArray( value ) ) { + easing = value[ 1 ]; + value = props[ index ] = value[ 0 ]; + } + + if ( index !== name ) { + props[ name ] = value; + delete props[ index ]; + } + + hooks = jQuery.cssHooks[ name ]; + if ( hooks && "expand" in hooks ) { + value = hooks.expand( value ); + delete props[ name ]; + + // Not quite $.extend, this won't overwrite existing keys. + // Reusing 'index' because we have the correct "name" + for ( index in value ) { + if ( !( index in props ) ) { + props[ index ] = value[ index ]; + specialEasing[ index ] = easing; + } + } + } else { + specialEasing[ name ] = easing; + } + } +} + +function Animation( elem, properties, options ) { + var result, + stopped, + index = 0, + length = Animation.prefilters.length, + deferred = jQuery.Deferred().always( function() { + + // Don't match elem in the :animated selector + delete tick.elem; + } ), + tick = function() { + if ( stopped ) { + return false; + } + var currentTime = fxNow || createFxNow(), + remaining = Math.max( 0, animation.startTime + animation.duration - currentTime ), + + // Support: Android 2.3 only + // Archaic crash bug won't allow us to use `1 - ( 0.5 || 0 )` (#12497) + temp = remaining / animation.duration || 0, + percent = 1 - temp, + index = 0, + length = animation.tweens.length; + + for ( ; index < length; index++ ) { + animation.tweens[ index ].run( percent ); + } + + deferred.notifyWith( elem, [ animation, percent, remaining ] ); + + // If there's more to do, yield + if ( percent < 1 && length ) { + return remaining; + } + + // If this was an empty animation, synthesize a final progress notification + if ( !length ) { + deferred.notifyWith( elem, [ animation, 1, 0 ] ); + } + + // Resolve the animation and report its conclusion + deferred.resolveWith( elem, [ animation ] ); + return false; + }, + animation = deferred.promise( { + elem: elem, + props: jQuery.extend( {}, properties ), + opts: jQuery.extend( true, { + specialEasing: {}, + easing: jQuery.easing._default + }, options ), + originalProperties: properties, + originalOptions: options, + startTime: fxNow || createFxNow(), + duration: options.duration, + tweens: [], + createTween: function( prop, end ) { + var tween = jQuery.Tween( elem, animation.opts, prop, end, + animation.opts.specialEasing[ prop ] || animation.opts.easing ); + animation.tweens.push( tween ); + return tween; + }, + stop: function( gotoEnd ) { + var index = 0, + + // If we are going to the end, we want to run all the tweens + // otherwise we skip this part + length = gotoEnd ? animation.tweens.length : 0; + if ( stopped ) { + return this; + } + stopped = true; + for ( ; index < length; index++ ) { + animation.tweens[ index ].run( 1 ); + } + + // Resolve when we played the last frame; otherwise, reject + if ( gotoEnd ) { + deferred.notifyWith( elem, [ animation, 1, 0 ] ); + deferred.resolveWith( elem, [ animation, gotoEnd ] ); + } else { + deferred.rejectWith( elem, [ animation, gotoEnd ] ); + } + return this; + } + } ), + props = animation.props; + + propFilter( props, animation.opts.specialEasing ); + + for ( ; index < length; index++ ) { + result = Animation.prefilters[ index ].call( animation, elem, props, animation.opts ); + if ( result ) { + if ( isFunction( result.stop ) ) { + jQuery._queueHooks( animation.elem, animation.opts.queue ).stop = + result.stop.bind( result ); + } + return result; + } + } + + jQuery.map( props, createTween, animation ); + + if ( isFunction( animation.opts.start ) ) { + animation.opts.start.call( elem, animation ); + } + + // Attach callbacks from options + animation + .progress( animation.opts.progress ) + .done( animation.opts.done, animation.opts.complete ) + .fail( animation.opts.fail ) + .always( animation.opts.always ); + + jQuery.fx.timer( + jQuery.extend( tick, { + elem: elem, + anim: animation, + queue: animation.opts.queue + } ) + ); + + return animation; +} + +jQuery.Animation = jQuery.extend( Animation, { + + tweeners: { + "*": [ function( prop, value ) { + var tween = this.createTween( prop, value ); + adjustCSS( tween.elem, prop, rcssNum.exec( value ), tween ); + return tween; + } ] + }, + + tweener: function( props, callback ) { + if ( isFunction( props ) ) { + callback = props; + props = [ "*" ]; + } else { + props = props.match( rnothtmlwhite ); + } + + var prop, + index = 0, + length = props.length; + + for ( ; index < length; index++ ) { + prop = props[ index ]; + Animation.tweeners[ prop ] = Animation.tweeners[ prop ] || []; + Animation.tweeners[ prop ].unshift( callback ); + } + }, + + prefilters: [ defaultPrefilter ], + + prefilter: function( callback, prepend ) { + if ( prepend ) { + Animation.prefilters.unshift( callback ); + } else { + Animation.prefilters.push( callback ); + } + } +} ); + +jQuery.speed = function( speed, easing, fn ) { + var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : { + complete: fn || !fn && easing || + isFunction( speed ) && speed, + duration: speed, + easing: fn && easing || easing && !isFunction( easing ) && easing + }; + + // Go to the end state if fx are off + if ( jQuery.fx.off ) { + opt.duration = 0; + + } else { + if ( typeof opt.duration !== "number" ) { + if ( opt.duration in jQuery.fx.speeds ) { + opt.duration = jQuery.fx.speeds[ opt.duration ]; + + } else { + opt.duration = jQuery.fx.speeds._default; + } + } + } + + // Normalize opt.queue - true/undefined/null -> "fx" + if ( opt.queue == null || opt.queue === true ) { + opt.queue = "fx"; + } + + // Queueing + opt.old = opt.complete; + + opt.complete = function() { + if ( isFunction( opt.old ) ) { + opt.old.call( this ); + } + + if ( opt.queue ) { + jQuery.dequeue( this, opt.queue ); + } + }; + + return opt; +}; + +jQuery.fn.extend( { + fadeTo: function( speed, to, easing, callback ) { + + // Show any hidden elements after setting opacity to 0 + return this.filter( isHiddenWithinTree ).css( "opacity", 0 ).show() + + // Animate to the value specified + .end().animate( { opacity: to }, speed, easing, callback ); + }, + animate: function( prop, speed, easing, callback ) { + var empty = jQuery.isEmptyObject( prop ), + optall = jQuery.speed( speed, easing, callback ), + doAnimation = function() { + + // Operate on a copy of prop so per-property easing won't be lost + var anim = Animation( this, jQuery.extend( {}, prop ), optall ); + + // Empty animations, or finishing resolves immediately + if ( empty || dataPriv.get( this, "finish" ) ) { + anim.stop( true ); + } + }; + doAnimation.finish = doAnimation; + + return empty || optall.queue === false ? + this.each( doAnimation ) : + this.queue( optall.queue, doAnimation ); + }, + stop: function( type, clearQueue, gotoEnd ) { + var stopQueue = function( hooks ) { + var stop = hooks.stop; + delete hooks.stop; + stop( gotoEnd ); + }; + + if ( typeof type !== "string" ) { + gotoEnd = clearQueue; + clearQueue = type; + type = undefined; + } + if ( clearQueue && type !== false ) { + this.queue( type || "fx", [] ); + } + + return this.each( function() { + var dequeue = true, + index = type != null && type + "queueHooks", + timers = jQuery.timers, + data = dataPriv.get( this ); + + if ( index ) { + if ( data[ index ] && data[ index ].stop ) { + stopQueue( data[ index ] ); + } + } else { + for ( index in data ) { + if ( data[ index ] && data[ index ].stop && rrun.test( index ) ) { + stopQueue( data[ index ] ); + } + } + } + + for ( index = timers.length; index--; ) { + if ( timers[ index ].elem === this && + ( type == null || timers[ index ].queue === type ) ) { + + timers[ index ].anim.stop( gotoEnd ); + dequeue = false; + timers.splice( index, 1 ); + } + } + + // Start the next in the queue if the last step wasn't forced. + // Timers currently will call their complete callbacks, which + // will dequeue but only if they were gotoEnd. + if ( dequeue || !gotoEnd ) { + jQuery.dequeue( this, type ); + } + } ); + }, + finish: function( type ) { + if ( type !== false ) { + type = type || "fx"; + } + return this.each( function() { + var index, + data = dataPriv.get( this ), + queue = data[ type + "queue" ], + hooks = data[ type + "queueHooks" ], + timers = jQuery.timers, + length = queue ? queue.length : 0; + + // Enable finishing flag on private data + data.finish = true; + + // Empty the queue first + jQuery.queue( this, type, [] ); + + if ( hooks && hooks.stop ) { + hooks.stop.call( this, true ); + } + + // Look for any active animations, and finish them + for ( index = timers.length; index--; ) { + if ( timers[ index ].elem === this && timers[ index ].queue === type ) { + timers[ index ].anim.stop( true ); + timers.splice( index, 1 ); + } + } + + // Look for any animations in the old queue and finish them + for ( index = 0; index < length; index++ ) { + if ( queue[ index ] && queue[ index ].finish ) { + queue[ index ].finish.call( this ); + } + } + + // Turn off finishing flag + delete data.finish; + } ); + } +} ); + +jQuery.each( [ "toggle", "show", "hide" ], function( i, name ) { + var cssFn = jQuery.fn[ name ]; + jQuery.fn[ name ] = function( speed, easing, callback ) { + return speed == null || typeof speed === "boolean" ? + cssFn.apply( this, arguments ) : + this.animate( genFx( name, true ), speed, easing, callback ); + }; +} ); + +// Generate shortcuts for custom animations +jQuery.each( { + slideDown: genFx( "show" ), + slideUp: genFx( "hide" ), + slideToggle: genFx( "toggle" ), + fadeIn: { opacity: "show" }, + fadeOut: { opacity: "hide" }, + fadeToggle: { opacity: "toggle" } +}, function( name, props ) { + jQuery.fn[ name ] = function( speed, easing, callback ) { + return this.animate( props, speed, easing, callback ); + }; +} ); + +jQuery.timers = []; +jQuery.fx.tick = function() { + var timer, + i = 0, + timers = jQuery.timers; + + fxNow = Date.now(); + + for ( ; i < timers.length; i++ ) { + timer = timers[ i ]; + + // Run the timer and safely remove it when done (allowing for external removal) + if ( !timer() && timers[ i ] === timer ) { + timers.splice( i--, 1 ); + } + } + + if ( !timers.length ) { + jQuery.fx.stop(); + } + fxNow = undefined; +}; + +jQuery.fx.timer = function( timer ) { + jQuery.timers.push( timer ); + jQuery.fx.start(); +}; + +jQuery.fx.interval = 13; +jQuery.fx.start = function() { + if ( inProgress ) { + return; + } + + inProgress = true; + schedule(); +}; + +jQuery.fx.stop = function() { + inProgress = null; +}; + +jQuery.fx.speeds = { + slow: 600, + fast: 200, + + // Default speed + _default: 400 +}; + + +// Based off of the plugin by Clint Helfers, with permission. +// https://web.archive.org/web/20100324014747/http://blindsignals.com/index.php/2009/07/jquery-delay/ +jQuery.fn.delay = function( time, type ) { + time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time; + type = type || "fx"; + + return this.queue( type, function( next, hooks ) { + var timeout = window.setTimeout( next, time ); + hooks.stop = function() { + window.clearTimeout( timeout ); + }; + } ); +}; + + +( function() { + var input = document.createElement( "input" ), + select = document.createElement( "select" ), + opt = select.appendChild( document.createElement( "option" ) ); + + input.type = "checkbox"; + + // Support: Android <=4.3 only + // Default value for a checkbox should be "on" + support.checkOn = input.value !== ""; + + // Support: IE <=11 only + // Must access selectedIndex to make default options select + support.optSelected = opt.selected; + + // Support: IE <=11 only + // An input loses its value after becoming a radio + input = document.createElement( "input" ); + input.value = "t"; + input.type = "radio"; + support.radioValue = input.value === "t"; +} )(); + + +var boolHook, + attrHandle = jQuery.expr.attrHandle; + +jQuery.fn.extend( { + attr: function( name, value ) { + return access( this, jQuery.attr, name, value, arguments.length > 1 ); + }, + + removeAttr: function( name ) { + return this.each( function() { + jQuery.removeAttr( this, name ); + } ); + } +} ); + +jQuery.extend( { + attr: function( elem, name, value ) { + var ret, hooks, + nType = elem.nodeType; + + // Don't get/set attributes on text, comment and attribute nodes + if ( nType === 3 || nType === 8 || nType === 2 ) { + return; + } + + // Fallback to prop when attributes are not supported + if ( typeof elem.getAttribute === "undefined" ) { + return jQuery.prop( elem, name, value ); + } + + // Attribute hooks are determined by the lowercase version + // Grab necessary hook if one is defined + if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) { + hooks = jQuery.attrHooks[ name.toLowerCase() ] || + ( jQuery.expr.match.bool.test( name ) ? boolHook : undefined ); + } + + if ( value !== undefined ) { + if ( value === null ) { + jQuery.removeAttr( elem, name ); + return; + } + + if ( hooks && "set" in hooks && + ( ret = hooks.set( elem, value, name ) ) !== undefined ) { + return ret; + } + + elem.setAttribute( name, value + "" ); + return value; + } + + if ( hooks && "get" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) { + return ret; + } + + ret = jQuery.find.attr( elem, name ); + + // Non-existent attributes return null, we normalize to undefined + return ret == null ? undefined : ret; + }, + + attrHooks: { + type: { + set: function( elem, value ) { + if ( !support.radioValue && value === "radio" && + nodeName( elem, "input" ) ) { + var val = elem.value; + elem.setAttribute( "type", value ); + if ( val ) { + elem.value = val; + } + return value; + } + } + } + }, + + removeAttr: function( elem, value ) { + var name, + i = 0, + + // Attribute names can contain non-HTML whitespace characters + // https://html.spec.whatwg.org/multipage/syntax.html#attributes-2 + attrNames = value && value.match( rnothtmlwhite ); + + if ( attrNames && elem.nodeType === 1 ) { + while ( ( name = attrNames[ i++ ] ) ) { + elem.removeAttribute( name ); + } + } + } +} ); + +// Hooks for boolean attributes +boolHook = { + set: function( elem, value, name ) { + if ( value === false ) { + + // Remove boolean attributes when set to false + jQuery.removeAttr( elem, name ); + } else { + elem.setAttribute( name, name ); + } + return name; + } +}; + +jQuery.each( jQuery.expr.match.bool.source.match( /\w+/g ), function( i, name ) { + var getter = attrHandle[ name ] || jQuery.find.attr; + + attrHandle[ name ] = function( elem, name, isXML ) { + var ret, handle, + lowercaseName = name.toLowerCase(); + + if ( !isXML ) { + + // Avoid an infinite loop by temporarily removing this function from the getter + handle = attrHandle[ lowercaseName ]; + attrHandle[ lowercaseName ] = ret; + ret = getter( elem, name, isXML ) != null ? + lowercaseName : + null; + attrHandle[ lowercaseName ] = handle; + } + return ret; + }; +} ); + + + + +var rfocusable = /^(?:input|select|textarea|button)$/i, + rclickable = /^(?:a|area)$/i; + +jQuery.fn.extend( { + prop: function( name, value ) { + return access( this, jQuery.prop, name, value, arguments.length > 1 ); + }, + + removeProp: function( name ) { + return this.each( function() { + delete this[ jQuery.propFix[ name ] || name ]; + } ); + } +} ); + +jQuery.extend( { + prop: function( elem, name, value ) { + var ret, hooks, + nType = elem.nodeType; + + // Don't get/set properties on text, comment and attribute nodes + if ( nType === 3 || nType === 8 || nType === 2 ) { + return; + } + + if ( nType !== 1 || !jQuery.isXMLDoc( elem ) ) { + + // Fix name and attach hooks + name = jQuery.propFix[ name ] || name; + hooks = jQuery.propHooks[ name ]; + } + + if ( value !== undefined ) { + if ( hooks && "set" in hooks && + ( ret = hooks.set( elem, value, name ) ) !== undefined ) { + return ret; + } + + return ( elem[ name ] = value ); + } + + if ( hooks && "get" in hooks && ( ret = hooks.get( elem, name ) ) !== null ) { + return ret; + } + + return elem[ name ]; + }, + + propHooks: { + tabIndex: { + get: function( elem ) { + + // Support: IE <=9 - 11 only + // elem.tabIndex doesn't always return the + // correct value when it hasn't been explicitly set + // https://web.archive.org/web/20141116233347/http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/ + // Use proper attribute retrieval(#12072) + var tabindex = jQuery.find.attr( elem, "tabindex" ); + + if ( tabindex ) { + return parseInt( tabindex, 10 ); + } + + if ( + rfocusable.test( elem.nodeName ) || + rclickable.test( elem.nodeName ) && + elem.href + ) { + return 0; + } + + return -1; + } + } + }, + + propFix: { + "for": "htmlFor", + "class": "className" + } +} ); + +// Support: IE <=11 only +// Accessing the selectedIndex property +// forces the browser to respect setting selected +// on the option +// The getter ensures a default option is selected +// when in an optgroup +// eslint rule "no-unused-expressions" is disabled for this code +// since it considers such accessions noop +if ( !support.optSelected ) { + jQuery.propHooks.selected = { + get: function( elem ) { + + /* eslint no-unused-expressions: "off" */ + + var parent = elem.parentNode; + if ( parent && parent.parentNode ) { + parent.parentNode.selectedIndex; + } + return null; + }, + set: function( elem ) { + + /* eslint no-unused-expressions: "off" */ + + var parent = elem.parentNode; + if ( parent ) { + parent.selectedIndex; + + if ( parent.parentNode ) { + parent.parentNode.selectedIndex; + } + } + } + }; +} + +jQuery.each( [ + "tabIndex", + "readOnly", + "maxLength", + "cellSpacing", + "cellPadding", + "rowSpan", + "colSpan", + "useMap", + "frameBorder", + "contentEditable" +], function() { + jQuery.propFix[ this.toLowerCase() ] = this; +} ); + + + + + // Strip and collapse whitespace according to HTML spec + // https://infra.spec.whatwg.org/#strip-and-collapse-ascii-whitespace + function stripAndCollapse( value ) { + var tokens = value.match( rnothtmlwhite ) || []; + return tokens.join( " " ); + } + + +function getClass( elem ) { + return elem.getAttribute && elem.getAttribute( "class" ) || ""; +} + +function classesToArray( value ) { + if ( Array.isArray( value ) ) { + return value; + } + if ( typeof value === "string" ) { + return value.match( rnothtmlwhite ) || []; + } + return []; +} + +jQuery.fn.extend( { + addClass: function( value ) { + var classes, elem, cur, curValue, clazz, j, finalValue, + i = 0; + + if ( isFunction( value ) ) { + return this.each( function( j ) { + jQuery( this ).addClass( value.call( this, j, getClass( this ) ) ); + } ); + } + + classes = classesToArray( value ); + + if ( classes.length ) { + while ( ( elem = this[ i++ ] ) ) { + curValue = getClass( elem ); + cur = elem.nodeType === 1 && ( " " + stripAndCollapse( curValue ) + " " ); + + if ( cur ) { + j = 0; + while ( ( clazz = classes[ j++ ] ) ) { + if ( cur.indexOf( " " + clazz + " " ) < 0 ) { + cur += clazz + " "; + } + } + + // Only assign if different to avoid unneeded rendering. + finalValue = stripAndCollapse( cur ); + if ( curValue !== finalValue ) { + elem.setAttribute( "class", finalValue ); + } + } + } + } + + return this; + }, + + removeClass: function( value ) { + var classes, elem, cur, curValue, clazz, j, finalValue, + i = 0; + + if ( isFunction( value ) ) { + return this.each( function( j ) { + jQuery( this ).removeClass( value.call( this, j, getClass( this ) ) ); + } ); + } + + if ( !arguments.length ) { + return this.attr( "class", "" ); + } + + classes = classesToArray( value ); + + if ( classes.length ) { + while ( ( elem = this[ i++ ] ) ) { + curValue = getClass( elem ); + + // This expression is here for better compressibility (see addClass) + cur = elem.nodeType === 1 && ( " " + stripAndCollapse( curValue ) + " " ); + + if ( cur ) { + j = 0; + while ( ( clazz = classes[ j++ ] ) ) { + + // Remove *all* instances + while ( cur.indexOf( " " + clazz + " " ) > -1 ) { + cur = cur.replace( " " + clazz + " ", " " ); + } + } + + // Only assign if different to avoid unneeded rendering. + finalValue = stripAndCollapse( cur ); + if ( curValue !== finalValue ) { + elem.setAttribute( "class", finalValue ); + } + } + } + } + + return this; + }, + + toggleClass: function( value, stateVal ) { + var type = typeof value, + isValidValue = type === "string" || Array.isArray( value ); + + if ( typeof stateVal === "boolean" && isValidValue ) { + return stateVal ? this.addClass( value ) : this.removeClass( value ); + } + + if ( isFunction( value ) ) { + return this.each( function( i ) { + jQuery( this ).toggleClass( + value.call( this, i, getClass( this ), stateVal ), + stateVal + ); + } ); + } + + return this.each( function() { + var className, i, self, classNames; + + if ( isValidValue ) { + + // Toggle individual class names + i = 0; + self = jQuery( this ); + classNames = classesToArray( value ); + + while ( ( className = classNames[ i++ ] ) ) { + + // Check each className given, space separated list + if ( self.hasClass( className ) ) { + self.removeClass( className ); + } else { + self.addClass( className ); + } + } + + // Toggle whole class name + } else if ( value === undefined || type === "boolean" ) { + className = getClass( this ); + if ( className ) { + + // Store className if set + dataPriv.set( this, "__className__", className ); + } + + // If the element has a class name or if we're passed `false`, + // then remove the whole classname (if there was one, the above saved it). + // Otherwise bring back whatever was previously saved (if anything), + // falling back to the empty string if nothing was stored. + if ( this.setAttribute ) { + this.setAttribute( "class", + className || value === false ? + "" : + dataPriv.get( this, "__className__" ) || "" + ); + } + } + } ); + }, + + hasClass: function( selector ) { + var className, elem, + i = 0; + + className = " " + selector + " "; + while ( ( elem = this[ i++ ] ) ) { + if ( elem.nodeType === 1 && + ( " " + stripAndCollapse( getClass( elem ) ) + " " ).indexOf( className ) > -1 ) { + return true; + } + } + + return false; + } +} ); + + + + +var rreturn = /\r/g; + +jQuery.fn.extend( { + val: function( value ) { + var hooks, ret, valueIsFunction, + elem = this[ 0 ]; + + if ( !arguments.length ) { + if ( elem ) { + hooks = jQuery.valHooks[ elem.type ] || + jQuery.valHooks[ elem.nodeName.toLowerCase() ]; + + if ( hooks && + "get" in hooks && + ( ret = hooks.get( elem, "value" ) ) !== undefined + ) { + return ret; + } + + ret = elem.value; + + // Handle most common string cases + if ( typeof ret === "string" ) { + return ret.replace( rreturn, "" ); + } + + // Handle cases where value is null/undef or number + return ret == null ? "" : ret; + } + + return; + } + + valueIsFunction = isFunction( value ); + + return this.each( function( i ) { + var val; + + if ( this.nodeType !== 1 ) { + return; + } + + if ( valueIsFunction ) { + val = value.call( this, i, jQuery( this ).val() ); + } else { + val = value; + } + + // Treat null/undefined as ""; convert numbers to string + if ( val == null ) { + val = ""; + + } else if ( typeof val === "number" ) { + val += ""; + + } else if ( Array.isArray( val ) ) { + val = jQuery.map( val, function( value ) { + return value == null ? "" : value + ""; + } ); + } + + hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ]; + + // If set returns undefined, fall back to normal setting + if ( !hooks || !( "set" in hooks ) || hooks.set( this, val, "value" ) === undefined ) { + this.value = val; + } + } ); + } +} ); + +jQuery.extend( { + valHooks: { + option: { + get: function( elem ) { + + var val = jQuery.find.attr( elem, "value" ); + return val != null ? + val : + + // Support: IE <=10 - 11 only + // option.text throws exceptions (#14686, #14858) + // Strip and collapse whitespace + // https://html.spec.whatwg.org/#strip-and-collapse-whitespace + stripAndCollapse( jQuery.text( elem ) ); + } + }, + select: { + get: function( elem ) { + var value, option, i, + options = elem.options, + index = elem.selectedIndex, + one = elem.type === "select-one", + values = one ? null : [], + max = one ? index + 1 : options.length; + + if ( index < 0 ) { + i = max; + + } else { + i = one ? index : 0; + } + + // Loop through all the selected options + for ( ; i < max; i++ ) { + option = options[ i ]; + + // Support: IE <=9 only + // IE8-9 doesn't update selected after form reset (#2551) + if ( ( option.selected || i === index ) && + + // Don't return options that are disabled or in a disabled optgroup + !option.disabled && + ( !option.parentNode.disabled || + !nodeName( option.parentNode, "optgroup" ) ) ) { + + // Get the specific value for the option + value = jQuery( option ).val(); + + // We don't need an array for one selects + if ( one ) { + return value; + } + + // Multi-Selects return an array + values.push( value ); + } + } + + return values; + }, + + set: function( elem, value ) { + var optionSet, option, + options = elem.options, + values = jQuery.makeArray( value ), + i = options.length; + + while ( i-- ) { + option = options[ i ]; + + /* eslint-disable no-cond-assign */ + + if ( option.selected = + jQuery.inArray( jQuery.valHooks.option.get( option ), values ) > -1 + ) { + optionSet = true; + } + + /* eslint-enable no-cond-assign */ + } + + // Force browsers to behave consistently when non-matching value is set + if ( !optionSet ) { + elem.selectedIndex = -1; + } + return values; + } + } + } +} ); + +// Radios and checkboxes getter/setter +jQuery.each( [ "radio", "checkbox" ], function() { + jQuery.valHooks[ this ] = { + set: function( elem, value ) { + if ( Array.isArray( value ) ) { + return ( elem.checked = jQuery.inArray( jQuery( elem ).val(), value ) > -1 ); + } + } + }; + if ( !support.checkOn ) { + jQuery.valHooks[ this ].get = function( elem ) { + return elem.getAttribute( "value" ) === null ? "on" : elem.value; + }; + } +} ); + + + + +// Return jQuery for attributes-only inclusion + + +support.focusin = "onfocusin" in window; + + +var rfocusMorph = /^(?:focusinfocus|focusoutblur)$/, + stopPropagationCallback = function( e ) { + e.stopPropagation(); + }; + +jQuery.extend( jQuery.event, { + + trigger: function( event, data, elem, onlyHandlers ) { + + var i, cur, tmp, bubbleType, ontype, handle, special, lastElement, + eventPath = [ elem || document ], + type = hasOwn.call( event, "type" ) ? event.type : event, + namespaces = hasOwn.call( event, "namespace" ) ? event.namespace.split( "." ) : []; + + cur = lastElement = tmp = elem = elem || document; + + // Don't do events on text and comment nodes + if ( elem.nodeType === 3 || elem.nodeType === 8 ) { + return; + } + + // focus/blur morphs to focusin/out; ensure we're not firing them right now + if ( rfocusMorph.test( type + jQuery.event.triggered ) ) { + return; + } + + if ( type.indexOf( "." ) > -1 ) { + + // Namespaced trigger; create a regexp to match event type in handle() + namespaces = type.split( "." ); + type = namespaces.shift(); + namespaces.sort(); + } + ontype = type.indexOf( ":" ) < 0 && "on" + type; + + // Caller can pass in a jQuery.Event object, Object, or just an event type string + event = event[ jQuery.expando ] ? + event : + new jQuery.Event( type, typeof event === "object" && event ); + + // Trigger bitmask: & 1 for native handlers; & 2 for jQuery (always true) + event.isTrigger = onlyHandlers ? 2 : 3; + event.namespace = namespaces.join( "." ); + event.rnamespace = event.namespace ? + new RegExp( "(^|\\.)" + namespaces.join( "\\.(?:.*\\.|)" ) + "(\\.|$)" ) : + null; + + // Clean up the event in case it is being reused + event.result = undefined; + if ( !event.target ) { + event.target = elem; + } + + // Clone any incoming data and prepend the event, creating the handler arg list + data = data == null ? + [ event ] : + jQuery.makeArray( data, [ event ] ); + + // Allow special events to draw outside the lines + special = jQuery.event.special[ type ] || {}; + if ( !onlyHandlers && special.trigger && special.trigger.apply( elem, data ) === false ) { + return; + } + + // Determine event propagation path in advance, per W3C events spec (#9951) + // Bubble up to document, then to window; watch for a global ownerDocument var (#9724) + if ( !onlyHandlers && !special.noBubble && !isWindow( elem ) ) { + + bubbleType = special.delegateType || type; + if ( !rfocusMorph.test( bubbleType + type ) ) { + cur = cur.parentNode; + } + for ( ; cur; cur = cur.parentNode ) { + eventPath.push( cur ); + tmp = cur; + } + + // Only add window if we got to document (e.g., not plain obj or detached DOM) + if ( tmp === ( elem.ownerDocument || document ) ) { + eventPath.push( tmp.defaultView || tmp.parentWindow || window ); + } + } + + // Fire handlers on the event path + i = 0; + while ( ( cur = eventPath[ i++ ] ) && !event.isPropagationStopped() ) { + lastElement = cur; + event.type = i > 1 ? + bubbleType : + special.bindType || type; + + // jQuery handler + handle = ( dataPriv.get( cur, "events" ) || {} )[ event.type ] && + dataPriv.get( cur, "handle" ); + if ( handle ) { + handle.apply( cur, data ); + } + + // Native handler + handle = ontype && cur[ ontype ]; + if ( handle && handle.apply && acceptData( cur ) ) { + event.result = handle.apply( cur, data ); + if ( event.result === false ) { + event.preventDefault(); + } + } + } + event.type = type; + + // If nobody prevented the default action, do it now + if ( !onlyHandlers && !event.isDefaultPrevented() ) { + + if ( ( !special._default || + special._default.apply( eventPath.pop(), data ) === false ) && + acceptData( elem ) ) { + + // Call a native DOM method on the target with the same name as the event. + // Don't do default actions on window, that's where global variables be (#6170) + if ( ontype && isFunction( elem[ type ] ) && !isWindow( elem ) ) { + + // Don't re-trigger an onFOO event when we call its FOO() method + tmp = elem[ ontype ]; + + if ( tmp ) { + elem[ ontype ] = null; + } + + // Prevent re-triggering of the same event, since we already bubbled it above + jQuery.event.triggered = type; + + if ( event.isPropagationStopped() ) { + lastElement.addEventListener( type, stopPropagationCallback ); + } + + elem[ type ](); + + if ( event.isPropagationStopped() ) { + lastElement.removeEventListener( type, stopPropagationCallback ); + } + + jQuery.event.triggered = undefined; + + if ( tmp ) { + elem[ ontype ] = tmp; + } + } + } + } + + return event.result; + }, + + // Piggyback on a donor event to simulate a different one + // Used only for `focus(in | out)` events + simulate: function( type, elem, event ) { + var e = jQuery.extend( + new jQuery.Event(), + event, + { + type: type, + isSimulated: true + } + ); + + jQuery.event.trigger( e, null, elem ); + } + +} ); + +jQuery.fn.extend( { + + trigger: function( type, data ) { + return this.each( function() { + jQuery.event.trigger( type, data, this ); + } ); + }, + triggerHandler: function( type, data ) { + var elem = this[ 0 ]; + if ( elem ) { + return jQuery.event.trigger( type, data, elem, true ); + } + } +} ); + + +// Support: Firefox <=44 +// Firefox doesn't have focus(in | out) events +// Related ticket - https://bugzilla.mozilla.org/show_bug.cgi?id=687787 +// +// Support: Chrome <=48 - 49, Safari <=9.0 - 9.1 +// focus(in | out) events fire after focus & blur events, +// which is spec violation - http://www.w3.org/TR/DOM-Level-3-Events/#events-focusevent-event-order +// Related ticket - https://bugs.chromium.org/p/chromium/issues/detail?id=449857 +if ( !support.focusin ) { + jQuery.each( { focus: "focusin", blur: "focusout" }, function( orig, fix ) { + + // Attach a single capturing handler on the document while someone wants focusin/focusout + var handler = function( event ) { + jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ) ); + }; + + jQuery.event.special[ fix ] = { + setup: function() { + var doc = this.ownerDocument || this, + attaches = dataPriv.access( doc, fix ); + + if ( !attaches ) { + doc.addEventListener( orig, handler, true ); + } + dataPriv.access( doc, fix, ( attaches || 0 ) + 1 ); + }, + teardown: function() { + var doc = this.ownerDocument || this, + attaches = dataPriv.access( doc, fix ) - 1; + + if ( !attaches ) { + doc.removeEventListener( orig, handler, true ); + dataPriv.remove( doc, fix ); + + } else { + dataPriv.access( doc, fix, attaches ); + } + } + }; + } ); +} +var location = window.location; + +var nonce = Date.now(); + +var rquery = ( /\?/ ); + + + +// Cross-browser xml parsing +jQuery.parseXML = function( data ) { + var xml; + if ( !data || typeof data !== "string" ) { + return null; + } + + // Support: IE 9 - 11 only + // IE throws on parseFromString with invalid input. + try { + xml = ( new window.DOMParser() ).parseFromString( data, "text/xml" ); + } catch ( e ) { + xml = undefined; + } + + if ( !xml || xml.getElementsByTagName( "parsererror" ).length ) { + jQuery.error( "Invalid XML: " + data ); + } + return xml; +}; + + +var + rbracket = /\[\]$/, + rCRLF = /\r?\n/g, + rsubmitterTypes = /^(?:submit|button|image|reset|file)$/i, + rsubmittable = /^(?:input|select|textarea|keygen)/i; + +function buildParams( prefix, obj, traditional, add ) { + var name; + + if ( Array.isArray( obj ) ) { + + // Serialize array item. + jQuery.each( obj, function( i, v ) { + if ( traditional || rbracket.test( prefix ) ) { + + // Treat each array item as a scalar. + add( prefix, v ); + + } else { + + // Item is non-scalar (array or object), encode its numeric index. + buildParams( + prefix + "[" + ( typeof v === "object" && v != null ? i : "" ) + "]", + v, + traditional, + add + ); + } + } ); + + } else if ( !traditional && toType( obj ) === "object" ) { + + // Serialize object item. + for ( name in obj ) { + buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add ); + } + + } else { + + // Serialize scalar item. + add( prefix, obj ); + } +} + +// Serialize an array of form elements or a set of +// key/values into a query string +jQuery.param = function( a, traditional ) { + var prefix, + s = [], + add = function( key, valueOrFunction ) { + + // If value is a function, invoke it and use its return value + var value = isFunction( valueOrFunction ) ? + valueOrFunction() : + valueOrFunction; + + s[ s.length ] = encodeURIComponent( key ) + "=" + + encodeURIComponent( value == null ? "" : value ); + }; + + // If an array was passed in, assume that it is an array of form elements. + if ( Array.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) { + + // Serialize the form elements + jQuery.each( a, function() { + add( this.name, this.value ); + } ); + + } else { + + // If traditional, encode the "old" way (the way 1.3.2 or older + // did it), otherwise encode params recursively. + for ( prefix in a ) { + buildParams( prefix, a[ prefix ], traditional, add ); + } + } + + // Return the resulting serialization + return s.join( "&" ); +}; + +jQuery.fn.extend( { + serialize: function() { + return jQuery.param( this.serializeArray() ); + }, + serializeArray: function() { + return this.map( function() { + + // Can add propHook for "elements" to filter or add form elements + var elements = jQuery.prop( this, "elements" ); + return elements ? jQuery.makeArray( elements ) : this; + } ) + .filter( function() { + var type = this.type; + + // Use .is( ":disabled" ) so that fieldset[disabled] works + return this.name && !jQuery( this ).is( ":disabled" ) && + rsubmittable.test( this.nodeName ) && !rsubmitterTypes.test( type ) && + ( this.checked || !rcheckableType.test( type ) ); + } ) + .map( function( i, elem ) { + var val = jQuery( this ).val(); + + if ( val == null ) { + return null; + } + + if ( Array.isArray( val ) ) { + return jQuery.map( val, function( val ) { + return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; + } ); + } + + return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) }; + } ).get(); + } +} ); + + +var + r20 = /%20/g, + rhash = /#.*$/, + rantiCache = /([?&])_=[^&]*/, + rheaders = /^(.*?):[ \t]*([^\r\n]*)$/mg, + + // #7653, #8125, #8152: local protocol detection + rlocalProtocol = /^(?:about|app|app-storage|.+-extension|file|res|widget):$/, + rnoContent = /^(?:GET|HEAD)$/, + rprotocol = /^\/\//, + + /* Prefilters + * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example) + * 2) These are called: + * - BEFORE asking for a transport + * - AFTER param serialization (s.data is a string if s.processData is true) + * 3) key is the dataType + * 4) the catchall symbol "*" can be used + * 5) execution will start with transport dataType and THEN continue down to "*" if needed + */ + prefilters = {}, + + /* Transports bindings + * 1) key is the dataType + * 2) the catchall symbol "*" can be used + * 3) selection will start with transport dataType and THEN go to "*" if needed + */ + transports = {}, + + // Avoid comment-prolog char sequence (#10098); must appease lint and evade compression + allTypes = "*/".concat( "*" ), + + // Anchor tag for parsing the document origin + originAnchor = document.createElement( "a" ); + originAnchor.href = location.href; + +// Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport +function addToPrefiltersOrTransports( structure ) { + + // dataTypeExpression is optional and defaults to "*" + return function( dataTypeExpression, func ) { + + if ( typeof dataTypeExpression !== "string" ) { + func = dataTypeExpression; + dataTypeExpression = "*"; + } + + var dataType, + i = 0, + dataTypes = dataTypeExpression.toLowerCase().match( rnothtmlwhite ) || []; + + if ( isFunction( func ) ) { + + // For each dataType in the dataTypeExpression + while ( ( dataType = dataTypes[ i++ ] ) ) { + + // Prepend if requested + if ( dataType[ 0 ] === "+" ) { + dataType = dataType.slice( 1 ) || "*"; + ( structure[ dataType ] = structure[ dataType ] || [] ).unshift( func ); + + // Otherwise append + } else { + ( structure[ dataType ] = structure[ dataType ] || [] ).push( func ); + } + } + } + }; +} + +// Base inspection function for prefilters and transports +function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR ) { + + var inspected = {}, + seekingTransport = ( structure === transports ); + + function inspect( dataType ) { + var selected; + inspected[ dataType ] = true; + jQuery.each( structure[ dataType ] || [], function( _, prefilterOrFactory ) { + var dataTypeOrTransport = prefilterOrFactory( options, originalOptions, jqXHR ); + if ( typeof dataTypeOrTransport === "string" && + !seekingTransport && !inspected[ dataTypeOrTransport ] ) { + + options.dataTypes.unshift( dataTypeOrTransport ); + inspect( dataTypeOrTransport ); + return false; + } else if ( seekingTransport ) { + return !( selected = dataTypeOrTransport ); + } + } ); + return selected; + } + + return inspect( options.dataTypes[ 0 ] ) || !inspected[ "*" ] && inspect( "*" ); +} + +// A special extend for ajax options +// that takes "flat" options (not to be deep extended) +// Fixes #9887 +function ajaxExtend( target, src ) { + var key, deep, + flatOptions = jQuery.ajaxSettings.flatOptions || {}; + + for ( key in src ) { + if ( src[ key ] !== undefined ) { + ( flatOptions[ key ] ? target : ( deep || ( deep = {} ) ) )[ key ] = src[ key ]; + } + } + if ( deep ) { + jQuery.extend( true, target, deep ); + } + + return target; +} + +/* Handles responses to an ajax request: + * - finds the right dataType (mediates between content-type and expected dataType) + * - returns the corresponding response + */ +function ajaxHandleResponses( s, jqXHR, responses ) { + + var ct, type, finalDataType, firstDataType, + contents = s.contents, + dataTypes = s.dataTypes; + + // Remove auto dataType and get content-type in the process + while ( dataTypes[ 0 ] === "*" ) { + dataTypes.shift(); + if ( ct === undefined ) { + ct = s.mimeType || jqXHR.getResponseHeader( "Content-Type" ); + } + } + + // Check if we're dealing with a known content-type + if ( ct ) { + for ( type in contents ) { + if ( contents[ type ] && contents[ type ].test( ct ) ) { + dataTypes.unshift( type ); + break; + } + } + } + + // Check to see if we have a response for the expected dataType + if ( dataTypes[ 0 ] in responses ) { + finalDataType = dataTypes[ 0 ]; + } else { + + // Try convertible dataTypes + for ( type in responses ) { + if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[ 0 ] ] ) { + finalDataType = type; + break; + } + if ( !firstDataType ) { + firstDataType = type; + } + } + + // Or just use first one + finalDataType = finalDataType || firstDataType; + } + + // If we found a dataType + // We add the dataType to the list if needed + // and return the corresponding response + if ( finalDataType ) { + if ( finalDataType !== dataTypes[ 0 ] ) { + dataTypes.unshift( finalDataType ); + } + return responses[ finalDataType ]; + } +} + +/* Chain conversions given the request and the original response + * Also sets the responseXXX fields on the jqXHR instance + */ +function ajaxConvert( s, response, jqXHR, isSuccess ) { + var conv2, current, conv, tmp, prev, + converters = {}, + + // Work with a copy of dataTypes in case we need to modify it for conversion + dataTypes = s.dataTypes.slice(); + + // Create converters map with lowercased keys + if ( dataTypes[ 1 ] ) { + for ( conv in s.converters ) { + converters[ conv.toLowerCase() ] = s.converters[ conv ]; + } + } + + current = dataTypes.shift(); + + // Convert to each sequential dataType + while ( current ) { + + if ( s.responseFields[ current ] ) { + jqXHR[ s.responseFields[ current ] ] = response; + } + + // Apply the dataFilter if provided + if ( !prev && isSuccess && s.dataFilter ) { + response = s.dataFilter( response, s.dataType ); + } + + prev = current; + current = dataTypes.shift(); + + if ( current ) { + + // There's only work to do if current dataType is non-auto + if ( current === "*" ) { + + current = prev; + + // Convert response if prev dataType is non-auto and differs from current + } else if ( prev !== "*" && prev !== current ) { + + // Seek a direct converter + conv = converters[ prev + " " + current ] || converters[ "* " + current ]; + + // If none found, seek a pair + if ( !conv ) { + for ( conv2 in converters ) { + + // If conv2 outputs current + tmp = conv2.split( " " ); + if ( tmp[ 1 ] === current ) { + + // If prev can be converted to accepted input + conv = converters[ prev + " " + tmp[ 0 ] ] || + converters[ "* " + tmp[ 0 ] ]; + if ( conv ) { + + // Condense equivalence converters + if ( conv === true ) { + conv = converters[ conv2 ]; + + // Otherwise, insert the intermediate dataType + } else if ( converters[ conv2 ] !== true ) { + current = tmp[ 0 ]; + dataTypes.unshift( tmp[ 1 ] ); + } + break; + } + } + } + } + + // Apply converter (if not an equivalence) + if ( conv !== true ) { + + // Unless errors are allowed to bubble, catch and return them + if ( conv && s.throws ) { + response = conv( response ); + } else { + try { + response = conv( response ); + } catch ( e ) { + return { + state: "parsererror", + error: conv ? e : "No conversion from " + prev + " to " + current + }; + } + } + } + } + } + } + + return { state: "success", data: response }; +} + +jQuery.extend( { + + // Counter for holding the number of active queries + active: 0, + + // Last-Modified header cache for next request + lastModified: {}, + etag: {}, + + ajaxSettings: { + url: location.href, + type: "GET", + isLocal: rlocalProtocol.test( location.protocol ), + global: true, + processData: true, + async: true, + contentType: "application/x-www-form-urlencoded; charset=UTF-8", + + /* + timeout: 0, + data: null, + dataType: null, + username: null, + password: null, + cache: null, + throws: false, + traditional: false, + headers: {}, + */ + + accepts: { + "*": allTypes, + text: "text/plain", + html: "text/html", + xml: "application/xml, text/xml", + json: "application/json, text/javascript" + }, + + contents: { + xml: /\bxml\b/, + html: /\bhtml/, + json: /\bjson\b/ + }, + + responseFields: { + xml: "responseXML", + text: "responseText", + json: "responseJSON" + }, + + // Data converters + // Keys separate source (or catchall "*") and destination types with a single space + converters: { + + // Convert anything to text + "* text": String, + + // Text to html (true = no transformation) + "text html": true, + + // Evaluate text as a json expression + "text json": JSON.parse, + + // Parse text as xml + "text xml": jQuery.parseXML + }, + + // For options that shouldn't be deep extended: + // you can add your own custom options here if + // and when you create one that shouldn't be + // deep extended (see ajaxExtend) + flatOptions: { + url: true, + context: true + } + }, + + // Creates a full fledged settings object into target + // with both ajaxSettings and settings fields. + // If target is omitted, writes into ajaxSettings. + ajaxSetup: function( target, settings ) { + return settings ? + + // Building a settings object + ajaxExtend( ajaxExtend( target, jQuery.ajaxSettings ), settings ) : + + // Extending ajaxSettings + ajaxExtend( jQuery.ajaxSettings, target ); + }, + + ajaxPrefilter: addToPrefiltersOrTransports( prefilters ), + ajaxTransport: addToPrefiltersOrTransports( transports ), + + // Main method + ajax: function( url, options ) { + + // If url is an object, simulate pre-1.5 signature + if ( typeof url === "object" ) { + options = url; + url = undefined; + } + + // Force options to be an object + options = options || {}; + + var transport, + + // URL without anti-cache param + cacheURL, + + // Response headers + responseHeadersString, + responseHeaders, + + // timeout handle + timeoutTimer, + + // Url cleanup var + urlAnchor, + + // Request state (becomes false upon send and true upon completion) + completed, + + // To know if global events are to be dispatched + fireGlobals, + + // Loop variable + i, + + // uncached part of the url + uncached, + + // Create the final options object + s = jQuery.ajaxSetup( {}, options ), + + // Callbacks context + callbackContext = s.context || s, + + // Context for global events is callbackContext if it is a DOM node or jQuery collection + globalEventContext = s.context && + ( callbackContext.nodeType || callbackContext.jquery ) ? + jQuery( callbackContext ) : + jQuery.event, + + // Deferreds + deferred = jQuery.Deferred(), + completeDeferred = jQuery.Callbacks( "once memory" ), + + // Status-dependent callbacks + statusCode = s.statusCode || {}, + + // Headers (they are sent all at once) + requestHeaders = {}, + requestHeadersNames = {}, + + // Default abort message + strAbort = "canceled", + + // Fake xhr + jqXHR = { + readyState: 0, + + // Builds headers hashtable if needed + getResponseHeader: function( key ) { + var match; + if ( completed ) { + if ( !responseHeaders ) { + responseHeaders = {}; + while ( ( match = rheaders.exec( responseHeadersString ) ) ) { + responseHeaders[ match[ 1 ].toLowerCase() ] = match[ 2 ]; + } + } + match = responseHeaders[ key.toLowerCase() ]; + } + return match == null ? null : match; + }, + + // Raw string + getAllResponseHeaders: function() { + return completed ? responseHeadersString : null; + }, + + // Caches the header + setRequestHeader: function( name, value ) { + if ( completed == null ) { + name = requestHeadersNames[ name.toLowerCase() ] = + requestHeadersNames[ name.toLowerCase() ] || name; + requestHeaders[ name ] = value; + } + return this; + }, + + // Overrides response content-type header + overrideMimeType: function( type ) { + if ( completed == null ) { + s.mimeType = type; + } + return this; + }, + + // Status-dependent callbacks + statusCode: function( map ) { + var code; + if ( map ) { + if ( completed ) { + + // Execute the appropriate callbacks + jqXHR.always( map[ jqXHR.status ] ); + } else { + + // Lazy-add the new callbacks in a way that preserves old ones + for ( code in map ) { + statusCode[ code ] = [ statusCode[ code ], map[ code ] ]; + } + } + } + return this; + }, + + // Cancel the request + abort: function( statusText ) { + var finalText = statusText || strAbort; + if ( transport ) { + transport.abort( finalText ); + } + done( 0, finalText ); + return this; + } + }; + + // Attach deferreds + deferred.promise( jqXHR ); + + // Add protocol if not provided (prefilters might expect it) + // Handle falsy url in the settings object (#10093: consistency with old signature) + // We also use the url parameter if available + s.url = ( ( url || s.url || location.href ) + "" ) + .replace( rprotocol, location.protocol + "//" ); + + // Alias method option to type as per ticket #12004 + s.type = options.method || options.type || s.method || s.type; + + // Extract dataTypes list + s.dataTypes = ( s.dataType || "*" ).toLowerCase().match( rnothtmlwhite ) || [ "" ]; + + // A cross-domain request is in order when the origin doesn't match the current origin. + if ( s.crossDomain == null ) { + urlAnchor = document.createElement( "a" ); + + // Support: IE <=8 - 11, Edge 12 - 15 + // IE throws exception on accessing the href property if url is malformed, + // e.g. http://example.com:80x/ + try { + urlAnchor.href = s.url; + + // Support: IE <=8 - 11 only + // Anchor's host property isn't correctly set when s.url is relative + urlAnchor.href = urlAnchor.href; + s.crossDomain = originAnchor.protocol + "//" + originAnchor.host !== + urlAnchor.protocol + "//" + urlAnchor.host; + } catch ( e ) { + + // If there is an error parsing the URL, assume it is crossDomain, + // it can be rejected by the transport if it is invalid + s.crossDomain = true; + } + } + + // Convert data if not already a string + if ( s.data && s.processData && typeof s.data !== "string" ) { + s.data = jQuery.param( s.data, s.traditional ); + } + + // Apply prefilters + inspectPrefiltersOrTransports( prefilters, s, options, jqXHR ); + + // If request was aborted inside a prefilter, stop there + if ( completed ) { + return jqXHR; + } + + // We can fire global events as of now if asked to + // Don't fire events if jQuery.event is undefined in an AMD-usage scenario (#15118) + fireGlobals = jQuery.event && s.global; + + // Watch for a new set of requests + if ( fireGlobals && jQuery.active++ === 0 ) { + jQuery.event.trigger( "ajaxStart" ); + } + + // Uppercase the type + s.type = s.type.toUpperCase(); + + // Determine if request has content + s.hasContent = !rnoContent.test( s.type ); + + // Save the URL in case we're toying with the If-Modified-Since + // and/or If-None-Match header later on + // Remove hash to simplify url manipulation + cacheURL = s.url.replace( rhash, "" ); + + // More options handling for requests with no content + if ( !s.hasContent ) { + + // Remember the hash so we can put it back + uncached = s.url.slice( cacheURL.length ); + + // If data is available and should be processed, append data to url + if ( s.data && ( s.processData || typeof s.data === "string" ) ) { + cacheURL += ( rquery.test( cacheURL ) ? "&" : "?" ) + s.data; + + // #9682: remove data so that it's not used in an eventual retry + delete s.data; + } + + // Add or update anti-cache param if needed + if ( s.cache === false ) { + cacheURL = cacheURL.replace( rantiCache, "$1" ); + uncached = ( rquery.test( cacheURL ) ? "&" : "?" ) + "_=" + ( nonce++ ) + uncached; + } + + // Put hash and anti-cache on the URL that will be requested (gh-1732) + s.url = cacheURL + uncached; + + // Change '%20' to '+' if this is encoded form body content (gh-2658) + } else if ( s.data && s.processData && + ( s.contentType || "" ).indexOf( "application/x-www-form-urlencoded" ) === 0 ) { + s.data = s.data.replace( r20, "+" ); + } + + // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. + if ( s.ifModified ) { + if ( jQuery.lastModified[ cacheURL ] ) { + jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ cacheURL ] ); + } + if ( jQuery.etag[ cacheURL ] ) { + jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ cacheURL ] ); + } + } + + // Set the correct header, if data is being sent + if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) { + jqXHR.setRequestHeader( "Content-Type", s.contentType ); + } + + // Set the Accepts header for the server, depending on the dataType + jqXHR.setRequestHeader( + "Accept", + s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[ 0 ] ] ? + s.accepts[ s.dataTypes[ 0 ] ] + + ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) : + s.accepts[ "*" ] + ); + + // Check for headers option + for ( i in s.headers ) { + jqXHR.setRequestHeader( i, s.headers[ i ] ); + } + + // Allow custom headers/mimetypes and early abort + if ( s.beforeSend && + ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || completed ) ) { + + // Abort if not done already and return + return jqXHR.abort(); + } + + // Aborting is no longer a cancellation + strAbort = "abort"; + + // Install callbacks on deferreds + completeDeferred.add( s.complete ); + jqXHR.done( s.success ); + jqXHR.fail( s.error ); + + // Get transport + transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR ); + + // If no transport, we auto-abort + if ( !transport ) { + done( -1, "No Transport" ); + } else { + jqXHR.readyState = 1; + + // Send global event + if ( fireGlobals ) { + globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] ); + } + + // If request was aborted inside ajaxSend, stop there + if ( completed ) { + return jqXHR; + } + + // Timeout + if ( s.async && s.timeout > 0 ) { + timeoutTimer = window.setTimeout( function() { + jqXHR.abort( "timeout" ); + }, s.timeout ); + } + + try { + completed = false; + transport.send( requestHeaders, done ); + } catch ( e ) { + + // Rethrow post-completion exceptions + if ( completed ) { + throw e; + } + + // Propagate others as results + done( -1, e ); + } + } + + // Callback for when everything is done + function done( status, nativeStatusText, responses, headers ) { + var isSuccess, success, error, response, modified, + statusText = nativeStatusText; + + // Ignore repeat invocations + if ( completed ) { + return; + } + + completed = true; + + // Clear timeout if it exists + if ( timeoutTimer ) { + window.clearTimeout( timeoutTimer ); + } + + // Dereference transport for early garbage collection + // (no matter how long the jqXHR object will be used) + transport = undefined; + + // Cache response headers + responseHeadersString = headers || ""; + + // Set readyState + jqXHR.readyState = status > 0 ? 4 : 0; + + // Determine if successful + isSuccess = status >= 200 && status < 300 || status === 304; + + // Get response data + if ( responses ) { + response = ajaxHandleResponses( s, jqXHR, responses ); + } + + // Convert no matter what (that way responseXXX fields are always set) + response = ajaxConvert( s, response, jqXHR, isSuccess ); + + // If successful, handle type chaining + if ( isSuccess ) { + + // Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode. + if ( s.ifModified ) { + modified = jqXHR.getResponseHeader( "Last-Modified" ); + if ( modified ) { + jQuery.lastModified[ cacheURL ] = modified; + } + modified = jqXHR.getResponseHeader( "etag" ); + if ( modified ) { + jQuery.etag[ cacheURL ] = modified; + } + } + + // if no content + if ( status === 204 || s.type === "HEAD" ) { + statusText = "nocontent"; + + // if not modified + } else if ( status === 304 ) { + statusText = "notmodified"; + + // If we have data, let's convert it + } else { + statusText = response.state; + success = response.data; + error = response.error; + isSuccess = !error; + } + } else { + + // Extract error from statusText and normalize for non-aborts + error = statusText; + if ( status || !statusText ) { + statusText = "error"; + if ( status < 0 ) { + status = 0; + } + } + } + + // Set data for the fake xhr object + jqXHR.status = status; + jqXHR.statusText = ( nativeStatusText || statusText ) + ""; + + // Success/Error + if ( isSuccess ) { + deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] ); + } else { + deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] ); + } + + // Status-dependent callbacks + jqXHR.statusCode( statusCode ); + statusCode = undefined; + + if ( fireGlobals ) { + globalEventContext.trigger( isSuccess ? "ajaxSuccess" : "ajaxError", + [ jqXHR, s, isSuccess ? success : error ] ); + } + + // Complete + completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] ); + + if ( fireGlobals ) { + globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] ); + + // Handle the global AJAX counter + if ( !( --jQuery.active ) ) { + jQuery.event.trigger( "ajaxStop" ); + } + } + } + + return jqXHR; + }, + + getJSON: function( url, data, callback ) { + return jQuery.get( url, data, callback, "json" ); + }, + + getScript: function( url, callback ) { + return jQuery.get( url, undefined, callback, "script" ); + } +} ); + +jQuery.each( [ "get", "post" ], function( i, method ) { + jQuery[ method ] = function( url, data, callback, type ) { + + // Shift arguments if data argument was omitted + if ( isFunction( data ) ) { + type = type || callback; + callback = data; + data = undefined; + } + + // The url can be an options object (which then must have .url) + return jQuery.ajax( jQuery.extend( { + url: url, + type: method, + dataType: type, + data: data, + success: callback + }, jQuery.isPlainObject( url ) && url ) ); + }; +} ); + + +jQuery._evalUrl = function( url ) { + return jQuery.ajax( { + url: url, + + // Make this explicit, since user can override this through ajaxSetup (#11264) + type: "GET", + dataType: "script", + cache: true, + async: false, + global: false, + "throws": true + } ); +}; + + +jQuery.fn.extend( { + wrapAll: function( html ) { + var wrap; + + if ( this[ 0 ] ) { + if ( isFunction( html ) ) { + html = html.call( this[ 0 ] ); + } + + // The elements to wrap the target around + wrap = jQuery( html, this[ 0 ].ownerDocument ).eq( 0 ).clone( true ); + + if ( this[ 0 ].parentNode ) { + wrap.insertBefore( this[ 0 ] ); + } + + wrap.map( function() { + var elem = this; + + while ( elem.firstElementChild ) { + elem = elem.firstElementChild; + } + + return elem; + } ).append( this ); + } + + return this; + }, + + wrapInner: function( html ) { + if ( isFunction( html ) ) { + return this.each( function( i ) { + jQuery( this ).wrapInner( html.call( this, i ) ); + } ); + } + + return this.each( function() { + var self = jQuery( this ), + contents = self.contents(); + + if ( contents.length ) { + contents.wrapAll( html ); + + } else { + self.append( html ); + } + } ); + }, + + wrap: function( html ) { + var htmlIsFunction = isFunction( html ); + + return this.each( function( i ) { + jQuery( this ).wrapAll( htmlIsFunction ? html.call( this, i ) : html ); + } ); + }, + + unwrap: function( selector ) { + this.parent( selector ).not( "body" ).each( function() { + jQuery( this ).replaceWith( this.childNodes ); + } ); + return this; + } +} ); + + +jQuery.expr.pseudos.hidden = function( elem ) { + return !jQuery.expr.pseudos.visible( elem ); +}; +jQuery.expr.pseudos.visible = function( elem ) { + return !!( elem.offsetWidth || elem.offsetHeight || elem.getClientRects().length ); +}; + + + + +jQuery.ajaxSettings.xhr = function() { + try { + return new window.XMLHttpRequest(); + } catch ( e ) {} +}; + +var xhrSuccessStatus = { + + // File protocol always yields status code 0, assume 200 + 0: 200, + + // Support: IE <=9 only + // #1450: sometimes IE returns 1223 when it should be 204 + 1223: 204 + }, + xhrSupported = jQuery.ajaxSettings.xhr(); + +support.cors = !!xhrSupported && ( "withCredentials" in xhrSupported ); +support.ajax = xhrSupported = !!xhrSupported; + +jQuery.ajaxTransport( function( options ) { + var callback, errorCallback; + + // Cross domain only allowed if supported through XMLHttpRequest + if ( support.cors || xhrSupported && !options.crossDomain ) { + return { + send: function( headers, complete ) { + var i, + xhr = options.xhr(); + + xhr.open( + options.type, + options.url, + options.async, + options.username, + options.password + ); + + // Apply custom fields if provided + if ( options.xhrFields ) { + for ( i in options.xhrFields ) { + xhr[ i ] = options.xhrFields[ i ]; + } + } + + // Override mime type if needed + if ( options.mimeType && xhr.overrideMimeType ) { + xhr.overrideMimeType( options.mimeType ); + } + + // X-Requested-With header + // For cross-domain requests, seeing as conditions for a preflight are + // akin to a jigsaw puzzle, we simply never set it to be sure. + // (it can always be set on a per-request basis or even using ajaxSetup) + // For same-domain requests, won't change header if already provided. + if ( !options.crossDomain && !headers[ "X-Requested-With" ] ) { + headers[ "X-Requested-With" ] = "XMLHttpRequest"; + } + + // Set headers + for ( i in headers ) { + xhr.setRequestHeader( i, headers[ i ] ); + } + + // Callback + callback = function( type ) { + return function() { + if ( callback ) { + callback = errorCallback = xhr.onload = + xhr.onerror = xhr.onabort = xhr.ontimeout = + xhr.onreadystatechange = null; + + if ( type === "abort" ) { + xhr.abort(); + } else if ( type === "error" ) { + + // Support: IE <=9 only + // On a manual native abort, IE9 throws + // errors on any property access that is not readyState + if ( typeof xhr.status !== "number" ) { + complete( 0, "error" ); + } else { + complete( + + // File: protocol always yields status 0; see #8605, #14207 + xhr.status, + xhr.statusText + ); + } + } else { + complete( + xhrSuccessStatus[ xhr.status ] || xhr.status, + xhr.statusText, + + // Support: IE <=9 only + // IE9 has no XHR2 but throws on binary (trac-11426) + // For XHR2 non-text, let the caller handle it (gh-2498) + ( xhr.responseType || "text" ) !== "text" || + typeof xhr.responseText !== "string" ? + { binary: xhr.response } : + { text: xhr.responseText }, + xhr.getAllResponseHeaders() + ); + } + } + }; + }; + + // Listen to events + xhr.onload = callback(); + errorCallback = xhr.onerror = xhr.ontimeout = callback( "error" ); + + // Support: IE 9 only + // Use onreadystatechange to replace onabort + // to handle uncaught aborts + if ( xhr.onabort !== undefined ) { + xhr.onabort = errorCallback; + } else { + xhr.onreadystatechange = function() { + + // Check readyState before timeout as it changes + if ( xhr.readyState === 4 ) { + + // Allow onerror to be called first, + // but that will not handle a native abort + // Also, save errorCallback to a variable + // as xhr.onerror cannot be accessed + window.setTimeout( function() { + if ( callback ) { + errorCallback(); + } + } ); + } + }; + } + + // Create the abort callback + callback = callback( "abort" ); + + try { + + // Do send the request (this may raise an exception) + xhr.send( options.hasContent && options.data || null ); + } catch ( e ) { + + // #14683: Only rethrow if this hasn't been notified as an error yet + if ( callback ) { + throw e; + } + } + }, + + abort: function() { + if ( callback ) { + callback(); + } + } + }; + } +} ); + + + + +// Prevent auto-execution of scripts when no explicit dataType was provided (See gh-2432) +jQuery.ajaxPrefilter( function( s ) { + if ( s.crossDomain ) { + s.contents.script = false; + } +} ); + +// Install script dataType +jQuery.ajaxSetup( { + accepts: { + script: "text/javascript, application/javascript, " + + "application/ecmascript, application/x-ecmascript" + }, + contents: { + script: /\b(?:java|ecma)script\b/ + }, + converters: { + "text script": function( text ) { + jQuery.globalEval( text ); + return text; + } + } +} ); + +// Handle cache's special case and crossDomain +jQuery.ajaxPrefilter( "script", function( s ) { + if ( s.cache === undefined ) { + s.cache = false; + } + if ( s.crossDomain ) { + s.type = "GET"; + } +} ); + +// Bind script tag hack transport +jQuery.ajaxTransport( "script", function( s ) { + + // This transport only deals with cross domain requests + if ( s.crossDomain ) { + var script, callback; + return { + send: function( _, complete ) { + script = jQuery( "\r\n"; + +// inject VBScript +document.write(IEBinaryToArray_ByteStr_Script); + +global.JSZipUtils._getBinaryFromXHR = function (xhr) { + var binary = xhr.responseBody; + var byteMapping = {}; + for ( var i = 0; i < 256; i++ ) { + for ( var j = 0; j < 256; j++ ) { + byteMapping[ String.fromCharCode( i + (j << 8) ) ] = + String.fromCharCode(i) + String.fromCharCode(j); + } + } + var rawBytes = IEBinaryToArray_ByteStr(binary); + var lastChr = IEBinaryToArray_ByteStr_Last(binary); + return rawBytes.replace(/[\s\S]/g, function( match ) { + return byteMapping[match]; + }) + lastChr; +}; + +// enforcing Stuk's coding style +// vim: set shiftwidth=4 softtabstop=4: + +},{}]},{},[1]) +; diff --git a/docs/apidocs/jquery/jszip-utils/dist/jszip-utils-ie.min.js b/docs/apidocs/jquery/jszip-utils/dist/jszip-utils-ie.min.js new file mode 100644 index 00000000..93d8bc8e --- /dev/null +++ b/docs/apidocs/jquery/jszip-utils/dist/jszip-utils-ie.min.js @@ -0,0 +1,10 @@ +/*! + +JSZipUtils - A collection of cross-browser utilities to go along with JSZip. + + +(c) 2014 Stuart Knightley, David Duponchel +Dual licenced under the MIT license or GPLv3. See https://raw.github.com/Stuk/jszip-utils/master/LICENSE.markdown. + +*/ +!function a(b,c,d){function e(g,h){if(!c[g]){if(!b[g]){var i="function"==typeof require&&require;if(!h&&i)return i(g,!0);if(f)return f(g,!0);throw new Error("Cannot find module '"+g+"'")}var j=c[g]={exports:{}};b[g][0].call(j.exports,function(a){var c=b[g][1][a];return e(c?c:a)},j,j.exports,a,b,c,d)}return c[g].exports}for(var f="function"==typeof require&&require,g=0;g\r\n";document.write(b),a.JSZipUtils._getBinaryFromXHR=function(a){for(var b=a.responseBody,c={},d=0;256>d;d++)for(var e=0;256>e;e++)c[String.fromCharCode(d+(e<<8))]=String.fromCharCode(d)+String.fromCharCode(e);var f=IEBinaryToArray_ByteStr(b),g=IEBinaryToArray_ByteStr_Last(b);return f.replace(/[\s\S]/g,function(a){return c[a]})+g}},{}]},{},[1]); diff --git a/docs/apidocs/jquery/jszip-utils/dist/jszip-utils.js b/docs/apidocs/jquery/jszip-utils/dist/jszip-utils.js new file mode 100644 index 00000000..775895ec --- /dev/null +++ b/docs/apidocs/jquery/jszip-utils/dist/jszip-utils.js @@ -0,0 +1,118 @@ +/*! + +JSZipUtils - A collection of cross-browser utilities to go along with JSZip. + + +(c) 2014 Stuart Knightley, David Duponchel +Dual licenced under the MIT license or GPLv3. See https://raw.github.com/Stuk/jszip-utils/master/LICENSE.markdown. + +*/ +!function(e){"object"==typeof exports?module.exports=e():"function"==typeof define&&define.amd?define(e):"undefined"!=typeof window?window.JSZipUtils=e():"undefined"!=typeof global?global.JSZipUtils=e():"undefined"!=typeof self&&(self.JSZipUtils=e())}(function(){var define,module,exports;return (function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return a(o,!0);if(i)return i(o,!0);throw new Error("Cannot find module '"+o+"'")}var f=n[o]={exports:{}};t[o][0].call(f.exports,function(e){var n=t[o][1][e];return s(n?n:e)},f,f.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o + +(c) 2014 Stuart Knightley, David Duponchel +Dual licenced under the MIT license or GPLv3. See https://raw.github.com/Stuk/jszip-utils/master/LICENSE.markdown. + +*/ +!function(a){"object"==typeof exports?module.exports=a():"function"==typeof define&&define.amd?define(a):"undefined"!=typeof window?window.JSZipUtils=a():"undefined"!=typeof global?global.JSZipUtils=a():"undefined"!=typeof self&&(self.JSZipUtils=a())}(function(){return function a(b,c,d){function e(g,h){if(!c[g]){if(!b[g]){var i="function"==typeof require&&require;if(!h&&i)return i(g,!0);if(f)return f(g,!0);throw new Error("Cannot find module '"+g+"'")}var j=c[g]={exports:{}};b[g][0].call(j.exports,function(a){var c=b[g][1][a];return e(c?c:a)},j,j.exports,a,b,c,d)}return c[g].exports}for(var f="function"==typeof require&&require,g=0;g + +(c) 2009-2016 Stuart Knightley +Dual licenced under the MIT license or GPLv3. See https://raw.github.com/Stuk/jszip/master/LICENSE.markdown. + +JSZip uses the library pako released under the MIT license : +https://github.com/nodeca/pako/blob/master/LICENSE +*/ + +(function(f){if(typeof exports==="object"&&typeof module!=="undefined"){module.exports=f()}else if(typeof define==="function"&&define.amd){define([],f)}else{var g;if(typeof window!=="undefined"){g=window}else if(typeof global!=="undefined"){g=global}else if(typeof self!=="undefined"){g=self}else{g=this}g.JSZip = f()}})(function(){var define,module,exports;return (function e(t,n,r){function s(o,u){if(!n[o]){if(!t[o]){var a=typeof require=="function"&&require;if(!u&&a)return a(o,!0);if(i)return i(o,!0);var f=new Error("Cannot find module '"+o+"'");throw f.code="MODULE_NOT_FOUND",f}var l=n[o]={exports:{}};t[o][0].call(l.exports,function(e){var n=t[o][1][e];return s(n?n:e)},l,l.exports,e,t,n,r)}return n[o].exports}var i=typeof require=="function"&&require;for(var o=0;o> 2; + enc2 = ((chr1 & 3) << 4) | (chr2 >> 4); + enc3 = remainingBytes > 1 ? (((chr2 & 15) << 2) | (chr3 >> 6)) : 64; + enc4 = remainingBytes > 2 ? (chr3 & 63) : 64; + + output.push(_keyStr.charAt(enc1) + _keyStr.charAt(enc2) + _keyStr.charAt(enc3) + _keyStr.charAt(enc4)); + + } + + return output.join(""); +}; + +// public method for decoding +exports.decode = function(input) { + var chr1, chr2, chr3; + var enc1, enc2, enc3, enc4; + var i = 0, resultIndex = 0; + + var dataUrlPrefix = "data:"; + + if (input.substr(0, dataUrlPrefix.length) === dataUrlPrefix) { + // This is a common error: people give a data url + // (data:image/png;base64,iVBOR...) with a {base64: true} and + // wonders why things don't work. + // We can detect that the string input looks like a data url but we + // *can't* be sure it is one: removing everything up to the comma would + // be too dangerous. + throw new Error("Invalid base64 input, it looks like a data url."); + } + + input = input.replace(/[^A-Za-z0-9\+\/\=]/g, ""); + + var totalLength = input.length * 3 / 4; + if(input.charAt(input.length - 1) === _keyStr.charAt(64)) { + totalLength--; + } + if(input.charAt(input.length - 2) === _keyStr.charAt(64)) { + totalLength--; + } + if (totalLength % 1 !== 0) { + // totalLength is not an integer, the length does not match a valid + // base64 content. That can happen if: + // - the input is not a base64 content + // - the input is *almost* a base64 content, with a extra chars at the + // beginning or at the end + // - the input uses a base64 variant (base64url for example) + throw new Error("Invalid base64 input, bad content length."); + } + var output; + if (support.uint8array) { + output = new Uint8Array(totalLength|0); + } else { + output = new Array(totalLength|0); + } + + while (i < input.length) { + + enc1 = _keyStr.indexOf(input.charAt(i++)); + enc2 = _keyStr.indexOf(input.charAt(i++)); + enc3 = _keyStr.indexOf(input.charAt(i++)); + enc4 = _keyStr.indexOf(input.charAt(i++)); + + chr1 = (enc1 << 2) | (enc2 >> 4); + chr2 = ((enc2 & 15) << 4) | (enc3 >> 2); + chr3 = ((enc3 & 3) << 6) | enc4; + + output[resultIndex++] = chr1; + + if (enc3 !== 64) { + output[resultIndex++] = chr2; + } + if (enc4 !== 64) { + output[resultIndex++] = chr3; + } + + } + + return output; +}; + +},{"./support":30,"./utils":32}],2:[function(require,module,exports){ +'use strict'; + +var external = require("./external"); +var DataWorker = require('./stream/DataWorker'); +var DataLengthProbe = require('./stream/DataLengthProbe'); +var Crc32Probe = require('./stream/Crc32Probe'); +var DataLengthProbe = require('./stream/DataLengthProbe'); + +/** + * Represent a compressed object, with everything needed to decompress it. + * @constructor + * @param {number} compressedSize the size of the data compressed. + * @param {number} uncompressedSize the size of the data after decompression. + * @param {number} crc32 the crc32 of the decompressed file. + * @param {object} compression the type of compression, see lib/compressions.js. + * @param {String|ArrayBuffer|Uint8Array|Buffer} data the compressed data. + */ +function CompressedObject(compressedSize, uncompressedSize, crc32, compression, data) { + this.compressedSize = compressedSize; + this.uncompressedSize = uncompressedSize; + this.crc32 = crc32; + this.compression = compression; + this.compressedContent = data; +} + +CompressedObject.prototype = { + /** + * Create a worker to get the uncompressed content. + * @return {GenericWorker} the worker. + */ + getContentWorker : function () { + var worker = new DataWorker(external.Promise.resolve(this.compressedContent)) + .pipe(this.compression.uncompressWorker()) + .pipe(new DataLengthProbe("data_length")); + + var that = this; + worker.on("end", function () { + if(this.streamInfo['data_length'] !== that.uncompressedSize) { + throw new Error("Bug : uncompressed data size mismatch"); + } + }); + return worker; + }, + /** + * Create a worker to get the compressed content. + * @return {GenericWorker} the worker. + */ + getCompressedWorker : function () { + return new DataWorker(external.Promise.resolve(this.compressedContent)) + .withStreamInfo("compressedSize", this.compressedSize) + .withStreamInfo("uncompressedSize", this.uncompressedSize) + .withStreamInfo("crc32", this.crc32) + .withStreamInfo("compression", this.compression) + ; + } +}; + +/** + * Chain the given worker with other workers to compress the content with the + * given compresion. + * @param {GenericWorker} uncompressedWorker the worker to pipe. + * @param {Object} compression the compression object. + * @param {Object} compressionOptions the options to use when compressing. + * @return {GenericWorker} the new worker compressing the content. + */ +CompressedObject.createWorkerFrom = function (uncompressedWorker, compression, compressionOptions) { + return uncompressedWorker + .pipe(new Crc32Probe()) + .pipe(new DataLengthProbe("uncompressedSize")) + .pipe(compression.compressWorker(compressionOptions)) + .pipe(new DataLengthProbe("compressedSize")) + .withStreamInfo("compression", compression); +}; + +module.exports = CompressedObject; + +},{"./external":6,"./stream/Crc32Probe":25,"./stream/DataLengthProbe":26,"./stream/DataWorker":27}],3:[function(require,module,exports){ +'use strict'; + +var GenericWorker = require("./stream/GenericWorker"); + +exports.STORE = { + magic: "\x00\x00", + compressWorker : function (compressionOptions) { + return new GenericWorker("STORE compression"); + }, + uncompressWorker : function () { + return new GenericWorker("STORE decompression"); + } +}; +exports.DEFLATE = require('./flate'); + +},{"./flate":7,"./stream/GenericWorker":28}],4:[function(require,module,exports){ +'use strict'; + +var utils = require('./utils'); + +/** + * The following functions come from pako, from pako/lib/zlib/crc32.js + * released under the MIT license, see pako https://github.com/nodeca/pako/ + */ + +// Use ordinary array, since untyped makes no boost here +function makeTable() { + var c, table = []; + + for(var n =0; n < 256; n++){ + c = n; + for(var k =0; k < 8; k++){ + c = ((c&1) ? (0xEDB88320 ^ (c >>> 1)) : (c >>> 1)); + } + table[n] = c; + } + + return table; +} + +// Create table on load. Just 255 signed longs. Not a problem. +var crcTable = makeTable(); + + +function crc32(crc, buf, len, pos) { + var t = crcTable, end = pos + len; + + crc = crc ^ (-1); + + for (var i = pos; i < end; i++ ) { + crc = (crc >>> 8) ^ t[(crc ^ buf[i]) & 0xFF]; + } + + return (crc ^ (-1)); // >>> 0; +} + +// That's all for the pako functions. + +/** + * Compute the crc32 of a string. + * This is almost the same as the function crc32, but for strings. Using the + * same function for the two use cases leads to horrible performances. + * @param {Number} crc the starting value of the crc. + * @param {String} str the string to use. + * @param {Number} len the length of the string. + * @param {Number} pos the starting position for the crc32 computation. + * @return {Number} the computed crc32. + */ +function crc32str(crc, str, len, pos) { + var t = crcTable, end = pos + len; + + crc = crc ^ (-1); + + for (var i = pos; i < end; i++ ) { + crc = (crc >>> 8) ^ t[(crc ^ str.charCodeAt(i)) & 0xFF]; + } + + return (crc ^ (-1)); // >>> 0; +} + +module.exports = function crc32wrapper(input, crc) { + if (typeof input === "undefined" || !input.length) { + return 0; + } + + var isArray = utils.getTypeOf(input) !== "string"; + + if(isArray) { + return crc32(crc|0, input, input.length, 0); + } else { + return crc32str(crc|0, input, input.length, 0); + } +}; + +},{"./utils":32}],5:[function(require,module,exports){ +'use strict'; +exports.base64 = false; +exports.binary = false; +exports.dir = false; +exports.createFolders = true; +exports.date = null; +exports.compression = null; +exports.compressionOptions = null; +exports.comment = null; +exports.unixPermissions = null; +exports.dosPermissions = null; + +},{}],6:[function(require,module,exports){ +/* global Promise */ +'use strict'; + +// load the global object first: +// - it should be better integrated in the system (unhandledRejection in node) +// - the environment may have a custom Promise implementation (see zone.js) +var ES6Promise = null; +if (typeof Promise !== "undefined") { + ES6Promise = Promise; +} else { + ES6Promise = require("lie"); +} + +/** + * Let the user use/change some implementations. + */ +module.exports = { + Promise: ES6Promise +}; + +},{"lie":58}],7:[function(require,module,exports){ +'use strict'; +var USE_TYPEDARRAY = (typeof Uint8Array !== 'undefined') && (typeof Uint16Array !== 'undefined') && (typeof Uint32Array !== 'undefined'); + +var pako = require("pako"); +var utils = require("./utils"); +var GenericWorker = require("./stream/GenericWorker"); + +var ARRAY_TYPE = USE_TYPEDARRAY ? "uint8array" : "array"; + +exports.magic = "\x08\x00"; + +/** + * Create a worker that uses pako to inflate/deflate. + * @constructor + * @param {String} action the name of the pako function to call : either "Deflate" or "Inflate". + * @param {Object} options the options to use when (de)compressing. + */ +function FlateWorker(action, options) { + GenericWorker.call(this, "FlateWorker/" + action); + + this._pako = null; + this._pakoAction = action; + this._pakoOptions = options; + // the `meta` object from the last chunk received + // this allow this worker to pass around metadata + this.meta = {}; +} + +utils.inherits(FlateWorker, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +FlateWorker.prototype.processChunk = function (chunk) { + this.meta = chunk.meta; + if (this._pako === null) { + this._createPako(); + } + this._pako.push(utils.transformTo(ARRAY_TYPE, chunk.data), false); +}; + +/** + * @see GenericWorker.flush + */ +FlateWorker.prototype.flush = function () { + GenericWorker.prototype.flush.call(this); + if (this._pako === null) { + this._createPako(); + } + this._pako.push([], true); +}; +/** + * @see GenericWorker.cleanUp + */ +FlateWorker.prototype.cleanUp = function () { + GenericWorker.prototype.cleanUp.call(this); + this._pako = null; +}; + +/** + * Create the _pako object. + * TODO: lazy-loading this object isn't the best solution but it's the + * quickest. The best solution is to lazy-load the worker list. See also the + * issue #446. + */ +FlateWorker.prototype._createPako = function () { + this._pako = new pako[this._pakoAction]({ + raw: true, + level: this._pakoOptions.level || -1 // default compression + }); + var self = this; + this._pako.onData = function(data) { + self.push({ + data : data, + meta : self.meta + }); + }; +}; + +exports.compressWorker = function (compressionOptions) { + return new FlateWorker("Deflate", compressionOptions); +}; +exports.uncompressWorker = function () { + return new FlateWorker("Inflate", {}); +}; + +},{"./stream/GenericWorker":28,"./utils":32,"pako":59}],8:[function(require,module,exports){ +'use strict'; + +var utils = require('../utils'); +var GenericWorker = require('../stream/GenericWorker'); +var utf8 = require('../utf8'); +var crc32 = require('../crc32'); +var signature = require('../signature'); + +/** + * Transform an integer into a string in hexadecimal. + * @private + * @param {number} dec the number to convert. + * @param {number} bytes the number of bytes to generate. + * @returns {string} the result. + */ +var decToHex = function(dec, bytes) { + var hex = "", i; + for (i = 0; i < bytes; i++) { + hex += String.fromCharCode(dec & 0xff); + dec = dec >>> 8; + } + return hex; +}; + +/** + * Generate the UNIX part of the external file attributes. + * @param {Object} unixPermissions the unix permissions or null. + * @param {Boolean} isDir true if the entry is a directory, false otherwise. + * @return {Number} a 32 bit integer. + * + * adapted from http://unix.stackexchange.com/questions/14705/the-zip-formats-external-file-attribute : + * + * TTTTsstrwxrwxrwx0000000000ADVSHR + * ^^^^____________________________ file type, see zipinfo.c (UNX_*) + * ^^^_________________________ setuid, setgid, sticky + * ^^^^^^^^^________________ permissions + * ^^^^^^^^^^______ not used ? + * ^^^^^^ DOS attribute bits : Archive, Directory, Volume label, System file, Hidden, Read only + */ +var generateUnixExternalFileAttr = function (unixPermissions, isDir) { + + var result = unixPermissions; + if (!unixPermissions) { + // I can't use octal values in strict mode, hence the hexa. + // 040775 => 0x41fd + // 0100664 => 0x81b4 + result = isDir ? 0x41fd : 0x81b4; + } + return (result & 0xFFFF) << 16; +}; + +/** + * Generate the DOS part of the external file attributes. + * @param {Object} dosPermissions the dos permissions or null. + * @param {Boolean} isDir true if the entry is a directory, false otherwise. + * @return {Number} a 32 bit integer. + * + * Bit 0 Read-Only + * Bit 1 Hidden + * Bit 2 System + * Bit 3 Volume Label + * Bit 4 Directory + * Bit 5 Archive + */ +var generateDosExternalFileAttr = function (dosPermissions, isDir) { + + // the dir flag is already set for compatibility + return (dosPermissions || 0) & 0x3F; +}; + +/** + * Generate the various parts used in the construction of the final zip file. + * @param {Object} streamInfo the hash with informations about the compressed file. + * @param {Boolean} streamedContent is the content streamed ? + * @param {Boolean} streamingEnded is the stream finished ? + * @param {number} offset the current offset from the start of the zip file. + * @param {String} platform let's pretend we are this platform (change platform dependents fields) + * @param {Function} encodeFileName the function to encode the file name / comment. + * @return {Object} the zip parts. + */ +var generateZipParts = function(streamInfo, streamedContent, streamingEnded, offset, platform, encodeFileName) { + var file = streamInfo['file'], + compression = streamInfo['compression'], + useCustomEncoding = encodeFileName !== utf8.utf8encode, + encodedFileName = utils.transformTo("string", encodeFileName(file.name)), + utfEncodedFileName = utils.transformTo("string", utf8.utf8encode(file.name)), + comment = file.comment, + encodedComment = utils.transformTo("string", encodeFileName(comment)), + utfEncodedComment = utils.transformTo("string", utf8.utf8encode(comment)), + useUTF8ForFileName = utfEncodedFileName.length !== file.name.length, + useUTF8ForComment = utfEncodedComment.length !== comment.length, + dosTime, + dosDate, + extraFields = "", + unicodePathExtraField = "", + unicodeCommentExtraField = "", + dir = file.dir, + date = file.date; + + + var dataInfo = { + crc32 : 0, + compressedSize : 0, + uncompressedSize : 0 + }; + + // if the content is streamed, the sizes/crc32 are only available AFTER + // the end of the stream. + if (!streamedContent || streamingEnded) { + dataInfo.crc32 = streamInfo['crc32']; + dataInfo.compressedSize = streamInfo['compressedSize']; + dataInfo.uncompressedSize = streamInfo['uncompressedSize']; + } + + var bitflag = 0; + if (streamedContent) { + // Bit 3: the sizes/crc32 are set to zero in the local header. + // The correct values are put in the data descriptor immediately + // following the compressed data. + bitflag |= 0x0008; + } + if (!useCustomEncoding && (useUTF8ForFileName || useUTF8ForComment)) { + // Bit 11: Language encoding flag (EFS). + bitflag |= 0x0800; + } + + + var extFileAttr = 0; + var versionMadeBy = 0; + if (dir) { + // dos or unix, we set the dos dir flag + extFileAttr |= 0x00010; + } + if(platform === "UNIX") { + versionMadeBy = 0x031E; // UNIX, version 3.0 + extFileAttr |= generateUnixExternalFileAttr(file.unixPermissions, dir); + } else { // DOS or other, fallback to DOS + versionMadeBy = 0x0014; // DOS, version 2.0 + extFileAttr |= generateDosExternalFileAttr(file.dosPermissions, dir); + } + + // date + // @see http://www.delorie.com/djgpp/doc/rbinter/it/52/13.html + // @see http://www.delorie.com/djgpp/doc/rbinter/it/65/16.html + // @see http://www.delorie.com/djgpp/doc/rbinter/it/66/16.html + + dosTime = date.getUTCHours(); + dosTime = dosTime << 6; + dosTime = dosTime | date.getUTCMinutes(); + dosTime = dosTime << 5; + dosTime = dosTime | date.getUTCSeconds() / 2; + + dosDate = date.getUTCFullYear() - 1980; + dosDate = dosDate << 4; + dosDate = dosDate | (date.getUTCMonth() + 1); + dosDate = dosDate << 5; + dosDate = dosDate | date.getUTCDate(); + + if (useUTF8ForFileName) { + // set the unicode path extra field. unzip needs at least one extra + // field to correctly handle unicode path, so using the path is as good + // as any other information. This could improve the situation with + // other archive managers too. + // This field is usually used without the utf8 flag, with a non + // unicode path in the header (winrar, winzip). This helps (a bit) + // with the messy Windows' default compressed folders feature but + // breaks on p7zip which doesn't seek the unicode path extra field. + // So for now, UTF-8 everywhere ! + unicodePathExtraField = + // Version + decToHex(1, 1) + + // NameCRC32 + decToHex(crc32(encodedFileName), 4) + + // UnicodeName + utfEncodedFileName; + + extraFields += + // Info-ZIP Unicode Path Extra Field + "\x75\x70" + + // size + decToHex(unicodePathExtraField.length, 2) + + // content + unicodePathExtraField; + } + + if(useUTF8ForComment) { + + unicodeCommentExtraField = + // Version + decToHex(1, 1) + + // CommentCRC32 + decToHex(crc32(encodedComment), 4) + + // UnicodeName + utfEncodedComment; + + extraFields += + // Info-ZIP Unicode Path Extra Field + "\x75\x63" + + // size + decToHex(unicodeCommentExtraField.length, 2) + + // content + unicodeCommentExtraField; + } + + var header = ""; + + // version needed to extract + header += "\x0A\x00"; + // general purpose bit flag + header += decToHex(bitflag, 2); + // compression method + header += compression.magic; + // last mod file time + header += decToHex(dosTime, 2); + // last mod file date + header += decToHex(dosDate, 2); + // crc-32 + header += decToHex(dataInfo.crc32, 4); + // compressed size + header += decToHex(dataInfo.compressedSize, 4); + // uncompressed size + header += decToHex(dataInfo.uncompressedSize, 4); + // file name length + header += decToHex(encodedFileName.length, 2); + // extra field length + header += decToHex(extraFields.length, 2); + + + var fileRecord = signature.LOCAL_FILE_HEADER + header + encodedFileName + extraFields; + + var dirRecord = signature.CENTRAL_FILE_HEADER + + // version made by (00: DOS) + decToHex(versionMadeBy, 2) + + // file header (common to file and central directory) + header + + // file comment length + decToHex(encodedComment.length, 2) + + // disk number start + "\x00\x00" + + // internal file attributes TODO + "\x00\x00" + + // external file attributes + decToHex(extFileAttr, 4) + + // relative offset of local header + decToHex(offset, 4) + + // file name + encodedFileName + + // extra field + extraFields + + // file comment + encodedComment; + + return { + fileRecord: fileRecord, + dirRecord: dirRecord + }; +}; + +/** + * Generate the EOCD record. + * @param {Number} entriesCount the number of entries in the zip file. + * @param {Number} centralDirLength the length (in bytes) of the central dir. + * @param {Number} localDirLength the length (in bytes) of the local dir. + * @param {String} comment the zip file comment as a binary string. + * @param {Function} encodeFileName the function to encode the comment. + * @return {String} the EOCD record. + */ +var generateCentralDirectoryEnd = function (entriesCount, centralDirLength, localDirLength, comment, encodeFileName) { + var dirEnd = ""; + var encodedComment = utils.transformTo("string", encodeFileName(comment)); + + // end of central dir signature + dirEnd = signature.CENTRAL_DIRECTORY_END + + // number of this disk + "\x00\x00" + + // number of the disk with the start of the central directory + "\x00\x00" + + // total number of entries in the central directory on this disk + decToHex(entriesCount, 2) + + // total number of entries in the central directory + decToHex(entriesCount, 2) + + // size of the central directory 4 bytes + decToHex(centralDirLength, 4) + + // offset of start of central directory with respect to the starting disk number + decToHex(localDirLength, 4) + + // .ZIP file comment length + decToHex(encodedComment.length, 2) + + // .ZIP file comment + encodedComment; + + return dirEnd; +}; + +/** + * Generate data descriptors for a file entry. + * @param {Object} streamInfo the hash generated by a worker, containing informations + * on the file entry. + * @return {String} the data descriptors. + */ +var generateDataDescriptors = function (streamInfo) { + var descriptor = ""; + descriptor = signature.DATA_DESCRIPTOR + + // crc-32 4 bytes + decToHex(streamInfo['crc32'], 4) + + // compressed size 4 bytes + decToHex(streamInfo['compressedSize'], 4) + + // uncompressed size 4 bytes + decToHex(streamInfo['uncompressedSize'], 4); + + return descriptor; +}; + + +/** + * A worker to concatenate other workers to create a zip file. + * @param {Boolean} streamFiles `true` to stream the content of the files, + * `false` to accumulate it. + * @param {String} comment the comment to use. + * @param {String} platform the platform to use, "UNIX" or "DOS". + * @param {Function} encodeFileName the function to encode file names and comments. + */ +function ZipFileWorker(streamFiles, comment, platform, encodeFileName) { + GenericWorker.call(this, "ZipFileWorker"); + // The number of bytes written so far. This doesn't count accumulated chunks. + this.bytesWritten = 0; + // The comment of the zip file + this.zipComment = comment; + // The platform "generating" the zip file. + this.zipPlatform = platform; + // the function to encode file names and comments. + this.encodeFileName = encodeFileName; + // Should we stream the content of the files ? + this.streamFiles = streamFiles; + // If `streamFiles` is false, we will need to accumulate the content of the + // files to calculate sizes / crc32 (and write them *before* the content). + // This boolean indicates if we are accumulating chunks (it will change a lot + // during the lifetime of this worker). + this.accumulate = false; + // The buffer receiving chunks when accumulating content. + this.contentBuffer = []; + // The list of generated directory records. + this.dirRecords = []; + // The offset (in bytes) from the beginning of the zip file for the current source. + this.currentSourceOffset = 0; + // The total number of entries in this zip file. + this.entriesCount = 0; + // the name of the file currently being added, null when handling the end of the zip file. + // Used for the emited metadata. + this.currentFile = null; + + + + this._sources = []; +} +utils.inherits(ZipFileWorker, GenericWorker); + +/** + * @see GenericWorker.push + */ +ZipFileWorker.prototype.push = function (chunk) { + + var currentFilePercent = chunk.meta.percent || 0; + var entriesCount = this.entriesCount; + var remainingFiles = this._sources.length; + + if(this.accumulate) { + this.contentBuffer.push(chunk); + } else { + this.bytesWritten += chunk.data.length; + + GenericWorker.prototype.push.call(this, { + data : chunk.data, + meta : { + currentFile : this.currentFile, + percent : entriesCount ? (currentFilePercent + 100 * (entriesCount - remainingFiles - 1)) / entriesCount : 100 + } + }); + } +}; + +/** + * The worker started a new source (an other worker). + * @param {Object} streamInfo the streamInfo object from the new source. + */ +ZipFileWorker.prototype.openedSource = function (streamInfo) { + this.currentSourceOffset = this.bytesWritten; + this.currentFile = streamInfo['file'].name; + + var streamedContent = this.streamFiles && !streamInfo['file'].dir; + + // don't stream folders (because they don't have any content) + if(streamedContent) { + var record = generateZipParts(streamInfo, streamedContent, false, this.currentSourceOffset, this.zipPlatform, this.encodeFileName); + this.push({ + data : record.fileRecord, + meta : {percent:0} + }); + } else { + // we need to wait for the whole file before pushing anything + this.accumulate = true; + } +}; + +/** + * The worker finished a source (an other worker). + * @param {Object} streamInfo the streamInfo object from the finished source. + */ +ZipFileWorker.prototype.closedSource = function (streamInfo) { + this.accumulate = false; + var streamedContent = this.streamFiles && !streamInfo['file'].dir; + var record = generateZipParts(streamInfo, streamedContent, true, this.currentSourceOffset, this.zipPlatform, this.encodeFileName); + + this.dirRecords.push(record.dirRecord); + if(streamedContent) { + // after the streamed file, we put data descriptors + this.push({ + data : generateDataDescriptors(streamInfo), + meta : {percent:100} + }); + } else { + // the content wasn't streamed, we need to push everything now + // first the file record, then the content + this.push({ + data : record.fileRecord, + meta : {percent:0} + }); + while(this.contentBuffer.length) { + this.push(this.contentBuffer.shift()); + } + } + this.currentFile = null; +}; + +/** + * @see GenericWorker.flush + */ +ZipFileWorker.prototype.flush = function () { + + var localDirLength = this.bytesWritten; + for(var i = 0; i < this.dirRecords.length; i++) { + this.push({ + data : this.dirRecords[i], + meta : {percent:100} + }); + } + var centralDirLength = this.bytesWritten - localDirLength; + + var dirEnd = generateCentralDirectoryEnd(this.dirRecords.length, centralDirLength, localDirLength, this.zipComment, this.encodeFileName); + + this.push({ + data : dirEnd, + meta : {percent:100} + }); +}; + +/** + * Prepare the next source to be read. + */ +ZipFileWorker.prototype.prepareNextSource = function () { + this.previous = this._sources.shift(); + this.openedSource(this.previous.streamInfo); + if (this.isPaused) { + this.previous.pause(); + } else { + this.previous.resume(); + } +}; + +/** + * @see GenericWorker.registerPrevious + */ +ZipFileWorker.prototype.registerPrevious = function (previous) { + this._sources.push(previous); + var self = this; + + previous.on('data', function (chunk) { + self.processChunk(chunk); + }); + previous.on('end', function () { + self.closedSource(self.previous.streamInfo); + if(self._sources.length) { + self.prepareNextSource(); + } else { + self.end(); + } + }); + previous.on('error', function (e) { + self.error(e); + }); + return this; +}; + +/** + * @see GenericWorker.resume + */ +ZipFileWorker.prototype.resume = function () { + if(!GenericWorker.prototype.resume.call(this)) { + return false; + } + + if (!this.previous && this._sources.length) { + this.prepareNextSource(); + return true; + } + if (!this.previous && !this._sources.length && !this.generatedError) { + this.end(); + return true; + } +}; + +/** + * @see GenericWorker.error + */ +ZipFileWorker.prototype.error = function (e) { + var sources = this._sources; + if(!GenericWorker.prototype.error.call(this, e)) { + return false; + } + for(var i = 0; i < sources.length; i++) { + try { + sources[i].error(e); + } catch(e) { + // the `error` exploded, nothing to do + } + } + return true; +}; + +/** + * @see GenericWorker.lock + */ +ZipFileWorker.prototype.lock = function () { + GenericWorker.prototype.lock.call(this); + var sources = this._sources; + for(var i = 0; i < sources.length; i++) { + sources[i].lock(); + } +}; + +module.exports = ZipFileWorker; + +},{"../crc32":4,"../signature":23,"../stream/GenericWorker":28,"../utf8":31,"../utils":32}],9:[function(require,module,exports){ +'use strict'; + +var compressions = require('../compressions'); +var ZipFileWorker = require('./ZipFileWorker'); + +/** + * Find the compression to use. + * @param {String} fileCompression the compression defined at the file level, if any. + * @param {String} zipCompression the compression defined at the load() level. + * @return {Object} the compression object to use. + */ +var getCompression = function (fileCompression, zipCompression) { + + var compressionName = fileCompression || zipCompression; + var compression = compressions[compressionName]; + if (!compression) { + throw new Error(compressionName + " is not a valid compression method !"); + } + return compression; +}; + +/** + * Create a worker to generate a zip file. + * @param {JSZip} zip the JSZip instance at the right root level. + * @param {Object} options to generate the zip file. + * @param {String} comment the comment to use. + */ +exports.generateWorker = function (zip, options, comment) { + + var zipFileWorker = new ZipFileWorker(options.streamFiles, comment, options.platform, options.encodeFileName); + var entriesCount = 0; + try { + + zip.forEach(function (relativePath, file) { + entriesCount++; + var compression = getCompression(file.options.compression, options.compression); + var compressionOptions = file.options.compressionOptions || options.compressionOptions || {}; + var dir = file.dir, date = file.date; + + file._compressWorker(compression, compressionOptions) + .withStreamInfo("file", { + name : relativePath, + dir : dir, + date : date, + comment : file.comment || "", + unixPermissions : file.unixPermissions, + dosPermissions : file.dosPermissions + }) + .pipe(zipFileWorker); + }); + zipFileWorker.entriesCount = entriesCount; + } catch (e) { + zipFileWorker.error(e); + } + + return zipFileWorker; +}; + +},{"../compressions":3,"./ZipFileWorker":8}],10:[function(require,module,exports){ +'use strict'; + +/** + * Representation a of zip file in js + * @constructor + */ +function JSZip() { + // if this constructor is used without `new`, it adds `new` before itself: + if(!(this instanceof JSZip)) { + return new JSZip(); + } + + if(arguments.length) { + throw new Error("The constructor with parameters has been removed in JSZip 3.0, please check the upgrade guide."); + } + + // object containing the files : + // { + // "folder/" : {...}, + // "folder/data.txt" : {...} + // } + this.files = {}; + + this.comment = null; + + // Where we are in the hierarchy + this.root = ""; + this.clone = function() { + var newObj = new JSZip(); + for (var i in this) { + if (typeof this[i] !== "function") { + newObj[i] = this[i]; + } + } + return newObj; + }; +} +JSZip.prototype = require('./object'); +JSZip.prototype.loadAsync = require('./load'); +JSZip.support = require('./support'); +JSZip.defaults = require('./defaults'); + +// TODO find a better way to handle this version, +// a require('package.json').version doesn't work with webpack, see #327 +JSZip.version = "3.1.5"; + +JSZip.loadAsync = function (content, options) { + return new JSZip().loadAsync(content, options); +}; + +JSZip.external = require("./external"); +module.exports = JSZip; + +},{"./defaults":5,"./external":6,"./load":11,"./object":15,"./support":30}],11:[function(require,module,exports){ +'use strict'; +var utils = require('./utils'); +var external = require("./external"); +var utf8 = require('./utf8'); +var utils = require('./utils'); +var ZipEntries = require('./zipEntries'); +var Crc32Probe = require('./stream/Crc32Probe'); +var nodejsUtils = require("./nodejsUtils"); + +/** + * Check the CRC32 of an entry. + * @param {ZipEntry} zipEntry the zip entry to check. + * @return {Promise} the result. + */ +function checkEntryCRC32(zipEntry) { + return new external.Promise(function (resolve, reject) { + var worker = zipEntry.decompressed.getContentWorker().pipe(new Crc32Probe()); + worker.on("error", function (e) { + reject(e); + }) + .on("end", function () { + if (worker.streamInfo.crc32 !== zipEntry.decompressed.crc32) { + reject(new Error("Corrupted zip : CRC32 mismatch")); + } else { + resolve(); + } + }) + .resume(); + }); +} + +module.exports = function(data, options) { + var zip = this; + options = utils.extend(options || {}, { + base64: false, + checkCRC32: false, + optimizedBinaryString: false, + createFolders: false, + decodeFileName: utf8.utf8decode + }); + + if (nodejsUtils.isNode && nodejsUtils.isStream(data)) { + return external.Promise.reject(new Error("JSZip can't accept a stream when loading a zip file.")); + } + + return utils.prepareContent("the loaded zip file", data, true, options.optimizedBinaryString, options.base64) + .then(function(data) { + var zipEntries = new ZipEntries(options); + zipEntries.load(data); + return zipEntries; + }).then(function checkCRC32(zipEntries) { + var promises = [external.Promise.resolve(zipEntries)]; + var files = zipEntries.files; + if (options.checkCRC32) { + for (var i = 0; i < files.length; i++) { + promises.push(checkEntryCRC32(files[i])); + } + } + return external.Promise.all(promises); + }).then(function addFiles(results) { + var zipEntries = results.shift(); + var files = zipEntries.files; + for (var i = 0; i < files.length; i++) { + var input = files[i]; + zip.file(input.fileNameStr, input.decompressed, { + binary: true, + optimizedBinaryString: true, + date: input.date, + dir: input.dir, + comment : input.fileCommentStr.length ? input.fileCommentStr : null, + unixPermissions : input.unixPermissions, + dosPermissions : input.dosPermissions, + createFolders: options.createFolders + }); + } + if (zipEntries.zipComment.length) { + zip.comment = zipEntries.zipComment; + } + + return zip; + }); +}; + +},{"./external":6,"./nodejsUtils":14,"./stream/Crc32Probe":25,"./utf8":31,"./utils":32,"./zipEntries":33}],12:[function(require,module,exports){ +"use strict"; + +var utils = require('../utils'); +var GenericWorker = require('../stream/GenericWorker'); + +/** + * A worker that use a nodejs stream as source. + * @constructor + * @param {String} filename the name of the file entry for this stream. + * @param {Readable} stream the nodejs stream. + */ +function NodejsStreamInputAdapter(filename, stream) { + GenericWorker.call(this, "Nodejs stream input adapter for " + filename); + this._upstreamEnded = false; + this._bindStream(stream); +} + +utils.inherits(NodejsStreamInputAdapter, GenericWorker); + +/** + * Prepare the stream and bind the callbacks on it. + * Do this ASAP on node 0.10 ! A lazy binding doesn't always work. + * @param {Stream} stream the nodejs stream to use. + */ +NodejsStreamInputAdapter.prototype._bindStream = function (stream) { + var self = this; + this._stream = stream; + stream.pause(); + stream + .on("data", function (chunk) { + self.push({ + data: chunk, + meta : { + percent : 0 + } + }); + }) + .on("error", function (e) { + if(self.isPaused) { + this.generatedError = e; + } else { + self.error(e); + } + }) + .on("end", function () { + if(self.isPaused) { + self._upstreamEnded = true; + } else { + self.end(); + } + }); +}; +NodejsStreamInputAdapter.prototype.pause = function () { + if(!GenericWorker.prototype.pause.call(this)) { + return false; + } + this._stream.pause(); + return true; +}; +NodejsStreamInputAdapter.prototype.resume = function () { + if(!GenericWorker.prototype.resume.call(this)) { + return false; + } + + if(this._upstreamEnded) { + this.end(); + } else { + this._stream.resume(); + } + + return true; +}; + +module.exports = NodejsStreamInputAdapter; + +},{"../stream/GenericWorker":28,"../utils":32}],13:[function(require,module,exports){ +'use strict'; + +var Readable = require('readable-stream').Readable; + +var utils = require('../utils'); +utils.inherits(NodejsStreamOutputAdapter, Readable); + +/** +* A nodejs stream using a worker as source. +* @see the SourceWrapper in http://nodejs.org/api/stream.html +* @constructor +* @param {StreamHelper} helper the helper wrapping the worker +* @param {Object} options the nodejs stream options +* @param {Function} updateCb the update callback. +*/ +function NodejsStreamOutputAdapter(helper, options, updateCb) { + Readable.call(this, options); + this._helper = helper; + + var self = this; + helper.on("data", function (data, meta) { + if (!self.push(data)) { + self._helper.pause(); + } + if(updateCb) { + updateCb(meta); + } + }) + .on("error", function(e) { + self.emit('error', e); + }) + .on("end", function () { + self.push(null); + }); +} + + +NodejsStreamOutputAdapter.prototype._read = function() { + this._helper.resume(); +}; + +module.exports = NodejsStreamOutputAdapter; + +},{"../utils":32,"readable-stream":16}],14:[function(require,module,exports){ +'use strict'; + +module.exports = { + /** + * True if this is running in Nodejs, will be undefined in a browser. + * In a browser, browserify won't include this file and the whole module + * will be resolved an empty object. + */ + isNode : typeof Buffer !== "undefined", + /** + * Create a new nodejs Buffer from an existing content. + * @param {Object} data the data to pass to the constructor. + * @param {String} encoding the encoding to use. + * @return {Buffer} a new Buffer. + */ + newBufferFrom: function(data, encoding) { + // XXX We can't use `Buffer.from` which comes from `Uint8Array.from` + // in nodejs v4 (< v.4.5). It's not the expected implementation (and + // has a different signature). + // see https://github.com/nodejs/node/issues/8053 + // A condition on nodejs' version won't solve the issue as we don't + // control the Buffer polyfills that may or may not be used. + return new Buffer(data, encoding); + }, + /** + * Create a new nodejs Buffer with the specified size. + * @param {Integer} size the size of the buffer. + * @return {Buffer} a new Buffer. + */ + allocBuffer: function (size) { + if (Buffer.alloc) { + return Buffer.alloc(size); + } else { + return new Buffer(size); + } + }, + /** + * Find out if an object is a Buffer. + * @param {Object} b the object to test. + * @return {Boolean} true if the object is a Buffer, false otherwise. + */ + isBuffer : function(b){ + return Buffer.isBuffer(b); + }, + + isStream : function (obj) { + return obj && + typeof obj.on === "function" && + typeof obj.pause === "function" && + typeof obj.resume === "function"; + } +}; + +},{}],15:[function(require,module,exports){ +'use strict'; +var utf8 = require('./utf8'); +var utils = require('./utils'); +var GenericWorker = require('./stream/GenericWorker'); +var StreamHelper = require('./stream/StreamHelper'); +var defaults = require('./defaults'); +var CompressedObject = require('./compressedObject'); +var ZipObject = require('./zipObject'); +var generate = require("./generate"); +var nodejsUtils = require("./nodejsUtils"); +var NodejsStreamInputAdapter = require("./nodejs/NodejsStreamInputAdapter"); + + +/** + * Add a file in the current folder. + * @private + * @param {string} name the name of the file + * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data of the file + * @param {Object} originalOptions the options of the file + * @return {Object} the new file. + */ +var fileAdd = function(name, data, originalOptions) { + // be sure sub folders exist + var dataType = utils.getTypeOf(data), + parent; + + + /* + * Correct options. + */ + + var o = utils.extend(originalOptions || {}, defaults); + o.date = o.date || new Date(); + if (o.compression !== null) { + o.compression = o.compression.toUpperCase(); + } + + if (typeof o.unixPermissions === "string") { + o.unixPermissions = parseInt(o.unixPermissions, 8); + } + + // UNX_IFDIR 0040000 see zipinfo.c + if (o.unixPermissions && (o.unixPermissions & 0x4000)) { + o.dir = true; + } + // Bit 4 Directory + if (o.dosPermissions && (o.dosPermissions & 0x0010)) { + o.dir = true; + } + + if (o.dir) { + name = forceTrailingSlash(name); + } + if (o.createFolders && (parent = parentFolder(name))) { + folderAdd.call(this, parent, true); + } + + var isUnicodeString = dataType === "string" && o.binary === false && o.base64 === false; + if (!originalOptions || typeof originalOptions.binary === "undefined") { + o.binary = !isUnicodeString; + } + + + var isCompressedEmpty = (data instanceof CompressedObject) && data.uncompressedSize === 0; + + if (isCompressedEmpty || o.dir || !data || data.length === 0) { + o.base64 = false; + o.binary = true; + data = ""; + o.compression = "STORE"; + dataType = "string"; + } + + /* + * Convert content to fit. + */ + + var zipObjectContent = null; + if (data instanceof CompressedObject || data instanceof GenericWorker) { + zipObjectContent = data; + } else if (nodejsUtils.isNode && nodejsUtils.isStream(data)) { + zipObjectContent = new NodejsStreamInputAdapter(name, data); + } else { + zipObjectContent = utils.prepareContent(name, data, o.binary, o.optimizedBinaryString, o.base64); + } + + var object = new ZipObject(name, zipObjectContent, o); + this.files[name] = object; + /* + TODO: we can't throw an exception because we have async promises + (we can have a promise of a Date() for example) but returning a + promise is useless because file(name, data) returns the JSZip + object for chaining. Should we break that to allow the user + to catch the error ? + + return external.Promise.resolve(zipObjectContent) + .then(function () { + return object; + }); + */ +}; + +/** + * Find the parent folder of the path. + * @private + * @param {string} path the path to use + * @return {string} the parent folder, or "" + */ +var parentFolder = function (path) { + if (path.slice(-1) === '/') { + path = path.substring(0, path.length - 1); + } + var lastSlash = path.lastIndexOf('/'); + return (lastSlash > 0) ? path.substring(0, lastSlash) : ""; +}; + +/** + * Returns the path with a slash at the end. + * @private + * @param {String} path the path to check. + * @return {String} the path with a trailing slash. + */ +var forceTrailingSlash = function(path) { + // Check the name ends with a / + if (path.slice(-1) !== "/") { + path += "/"; // IE doesn't like substr(-1) + } + return path; +}; + +/** + * Add a (sub) folder in the current folder. + * @private + * @param {string} name the folder's name + * @param {boolean=} [createFolders] If true, automatically create sub + * folders. Defaults to false. + * @return {Object} the new folder. + */ +var folderAdd = function(name, createFolders) { + createFolders = (typeof createFolders !== 'undefined') ? createFolders : defaults.createFolders; + + name = forceTrailingSlash(name); + + // Does this folder already exist? + if (!this.files[name]) { + fileAdd.call(this, name, null, { + dir: true, + createFolders: createFolders + }); + } + return this.files[name]; +}; + +/** +* Cross-window, cross-Node-context regular expression detection +* @param {Object} object Anything +* @return {Boolean} true if the object is a regular expression, +* false otherwise +*/ +function isRegExp(object) { + return Object.prototype.toString.call(object) === "[object RegExp]"; +} + +// return the actual prototype of JSZip +var out = { + /** + * @see loadAsync + */ + load: function() { + throw new Error("This method has been removed in JSZip 3.0, please check the upgrade guide."); + }, + + + /** + * Call a callback function for each entry at this folder level. + * @param {Function} cb the callback function: + * function (relativePath, file) {...} + * It takes 2 arguments : the relative path and the file. + */ + forEach: function(cb) { + var filename, relativePath, file; + for (filename in this.files) { + if (!this.files.hasOwnProperty(filename)) { + continue; + } + file = this.files[filename]; + relativePath = filename.slice(this.root.length, filename.length); + if (relativePath && filename.slice(0, this.root.length) === this.root) { // the file is in the current root + cb(relativePath, file); // TODO reverse the parameters ? need to be clean AND consistent with the filter search fn... + } + } + }, + + /** + * Filter nested files/folders with the specified function. + * @param {Function} search the predicate to use : + * function (relativePath, file) {...} + * It takes 2 arguments : the relative path and the file. + * @return {Array} An array of matching elements. + */ + filter: function(search) { + var result = []; + this.forEach(function (relativePath, entry) { + if (search(relativePath, entry)) { // the file matches the function + result.push(entry); + } + + }); + return result; + }, + + /** + * Add a file to the zip file, or search a file. + * @param {string|RegExp} name The name of the file to add (if data is defined), + * the name of the file to find (if no data) or a regex to match files. + * @param {String|ArrayBuffer|Uint8Array|Buffer} data The file data, either raw or base64 encoded + * @param {Object} o File options + * @return {JSZip|Object|Array} this JSZip object (when adding a file), + * a file (when searching by string) or an array of files (when searching by regex). + */ + file: function(name, data, o) { + if (arguments.length === 1) { + if (isRegExp(name)) { + var regexp = name; + return this.filter(function(relativePath, file) { + return !file.dir && regexp.test(relativePath); + }); + } + else { // text + var obj = this.files[this.root + name]; + if (obj && !obj.dir) { + return obj; + } else { + return null; + } + } + } + else { // more than one argument : we have data ! + name = this.root + name; + fileAdd.call(this, name, data, o); + } + return this; + }, + + /** + * Add a directory to the zip file, or search. + * @param {String|RegExp} arg The name of the directory to add, or a regex to search folders. + * @return {JSZip} an object with the new directory as the root, or an array containing matching folders. + */ + folder: function(arg) { + if (!arg) { + return this; + } + + if (isRegExp(arg)) { + return this.filter(function(relativePath, file) { + return file.dir && arg.test(relativePath); + }); + } + + // else, name is a new folder + var name = this.root + arg; + var newFolder = folderAdd.call(this, name); + + // Allow chaining by returning a new object with this folder as the root + var ret = this.clone(); + ret.root = newFolder.name; + return ret; + }, + + /** + * Delete a file, or a directory and all sub-files, from the zip + * @param {string} name the name of the file to delete + * @return {JSZip} this JSZip object + */ + remove: function(name) { + name = this.root + name; + var file = this.files[name]; + if (!file) { + // Look for any folders + if (name.slice(-1) !== "/") { + name += "/"; + } + file = this.files[name]; + } + + if (file && !file.dir) { + // file + delete this.files[name]; + } else { + // maybe a folder, delete recursively + var kids = this.filter(function(relativePath, file) { + return file.name.slice(0, name.length) === name; + }); + for (var i = 0; i < kids.length; i++) { + delete this.files[kids[i].name]; + } + } + + return this; + }, + + /** + * Generate the complete zip file + * @param {Object} options the options to generate the zip file : + * - compression, "STORE" by default. + * - type, "base64" by default. Values are : string, base64, uint8array, arraybuffer, blob. + * @return {String|Uint8Array|ArrayBuffer|Buffer|Blob} the zip file + */ + generate: function(options) { + throw new Error("This method has been removed in JSZip 3.0, please check the upgrade guide."); + }, + + /** + * Generate the complete zip file as an internal stream. + * @param {Object} options the options to generate the zip file : + * - compression, "STORE" by default. + * - type, "base64" by default. Values are : string, base64, uint8array, arraybuffer, blob. + * @return {StreamHelper} the streamed zip file. + */ + generateInternalStream: function(options) { + var worker, opts = {}; + try { + opts = utils.extend(options || {}, { + streamFiles: false, + compression: "STORE", + compressionOptions : null, + type: "", + platform: "DOS", + comment: null, + mimeType: 'application/zip', + encodeFileName: utf8.utf8encode + }); + + opts.type = opts.type.toLowerCase(); + opts.compression = opts.compression.toUpperCase(); + + // "binarystring" is prefered but the internals use "string". + if(opts.type === "binarystring") { + opts.type = "string"; + } + + if (!opts.type) { + throw new Error("No output type specified."); + } + + utils.checkSupport(opts.type); + + // accept nodejs `process.platform` + if( + opts.platform === 'darwin' || + opts.platform === 'freebsd' || + opts.platform === 'linux' || + opts.platform === 'sunos' + ) { + opts.platform = "UNIX"; + } + if (opts.platform === 'win32') { + opts.platform = "DOS"; + } + + var comment = opts.comment || this.comment || ""; + worker = generate.generateWorker(this, opts, comment); + } catch (e) { + worker = new GenericWorker("error"); + worker.error(e); + } + return new StreamHelper(worker, opts.type || "string", opts.mimeType); + }, + /** + * Generate the complete zip file asynchronously. + * @see generateInternalStream + */ + generateAsync: function(options, onUpdate) { + return this.generateInternalStream(options).accumulate(onUpdate); + }, + /** + * Generate the complete zip file asynchronously. + * @see generateInternalStream + */ + generateNodeStream: function(options, onUpdate) { + options = options || {}; + if (!options.type) { + options.type = "nodebuffer"; + } + return this.generateInternalStream(options).toNodejsStream(onUpdate); + } +}; +module.exports = out; + +},{"./compressedObject":2,"./defaults":5,"./generate":9,"./nodejs/NodejsStreamInputAdapter":12,"./nodejsUtils":14,"./stream/GenericWorker":28,"./stream/StreamHelper":29,"./utf8":31,"./utils":32,"./zipObject":35}],16:[function(require,module,exports){ +/* + * This file is used by module bundlers (browserify/webpack/etc) when + * including a stream implementation. We use "readable-stream" to get a + * consistent behavior between nodejs versions but bundlers often have a shim + * for "stream". Using this shim greatly improve the compatibility and greatly + * reduce the final size of the bundle (only one stream implementation, not + * two). + */ +module.exports = require("stream"); + +},{"stream":undefined}],17:[function(require,module,exports){ +'use strict'; +var DataReader = require('./DataReader'); +var utils = require('../utils'); + +function ArrayReader(data) { + DataReader.call(this, data); + for(var i = 0; i < this.data.length; i++) { + data[i] = data[i] & 0xFF; + } +} +utils.inherits(ArrayReader, DataReader); +/** + * @see DataReader.byteAt + */ +ArrayReader.prototype.byteAt = function(i) { + return this.data[this.zero + i]; +}; +/** + * @see DataReader.lastIndexOfSignature + */ +ArrayReader.prototype.lastIndexOfSignature = function(sig) { + var sig0 = sig.charCodeAt(0), + sig1 = sig.charCodeAt(1), + sig2 = sig.charCodeAt(2), + sig3 = sig.charCodeAt(3); + for (var i = this.length - 4; i >= 0; --i) { + if (this.data[i] === sig0 && this.data[i + 1] === sig1 && this.data[i + 2] === sig2 && this.data[i + 3] === sig3) { + return i - this.zero; + } + } + + return -1; +}; +/** + * @see DataReader.readAndCheckSignature + */ +ArrayReader.prototype.readAndCheckSignature = function (sig) { + var sig0 = sig.charCodeAt(0), + sig1 = sig.charCodeAt(1), + sig2 = sig.charCodeAt(2), + sig3 = sig.charCodeAt(3), + data = this.readData(4); + return sig0 === data[0] && sig1 === data[1] && sig2 === data[2] && sig3 === data[3]; +}; +/** + * @see DataReader.readData + */ +ArrayReader.prototype.readData = function(size) { + this.checkOffset(size); + if(size === 0) { + return []; + } + var result = this.data.slice(this.zero + this.index, this.zero + this.index + size); + this.index += size; + return result; +}; +module.exports = ArrayReader; + +},{"../utils":32,"./DataReader":18}],18:[function(require,module,exports){ +'use strict'; +var utils = require('../utils'); + +function DataReader(data) { + this.data = data; // type : see implementation + this.length = data.length; + this.index = 0; + this.zero = 0; +} +DataReader.prototype = { + /** + * Check that the offset will not go too far. + * @param {string} offset the additional offset to check. + * @throws {Error} an Error if the offset is out of bounds. + */ + checkOffset: function(offset) { + this.checkIndex(this.index + offset); + }, + /** + * Check that the specified index will not be too far. + * @param {string} newIndex the index to check. + * @throws {Error} an Error if the index is out of bounds. + */ + checkIndex: function(newIndex) { + if (this.length < this.zero + newIndex || newIndex < 0) { + throw new Error("End of data reached (data length = " + this.length + ", asked index = " + (newIndex) + "). Corrupted zip ?"); + } + }, + /** + * Change the index. + * @param {number} newIndex The new index. + * @throws {Error} if the new index is out of the data. + */ + setIndex: function(newIndex) { + this.checkIndex(newIndex); + this.index = newIndex; + }, + /** + * Skip the next n bytes. + * @param {number} n the number of bytes to skip. + * @throws {Error} if the new index is out of the data. + */ + skip: function(n) { + this.setIndex(this.index + n); + }, + /** + * Get the byte at the specified index. + * @param {number} i the index to use. + * @return {number} a byte. + */ + byteAt: function(i) { + // see implementations + }, + /** + * Get the next number with a given byte size. + * @param {number} size the number of bytes to read. + * @return {number} the corresponding number. + */ + readInt: function(size) { + var result = 0, + i; + this.checkOffset(size); + for (i = this.index + size - 1; i >= this.index; i--) { + result = (result << 8) + this.byteAt(i); + } + this.index += size; + return result; + }, + /** + * Get the next string with a given byte size. + * @param {number} size the number of bytes to read. + * @return {string} the corresponding string. + */ + readString: function(size) { + return utils.transformTo("string", this.readData(size)); + }, + /** + * Get raw data without conversion, bytes. + * @param {number} size the number of bytes to read. + * @return {Object} the raw data, implementation specific. + */ + readData: function(size) { + // see implementations + }, + /** + * Find the last occurence of a zip signature (4 bytes). + * @param {string} sig the signature to find. + * @return {number} the index of the last occurence, -1 if not found. + */ + lastIndexOfSignature: function(sig) { + // see implementations + }, + /** + * Read the signature (4 bytes) at the current position and compare it with sig. + * @param {string} sig the expected signature + * @return {boolean} true if the signature matches, false otherwise. + */ + readAndCheckSignature: function(sig) { + // see implementations + }, + /** + * Get the next date. + * @return {Date} the date. + */ + readDate: function() { + var dostime = this.readInt(4); + return new Date(Date.UTC( + ((dostime >> 25) & 0x7f) + 1980, // year + ((dostime >> 21) & 0x0f) - 1, // month + (dostime >> 16) & 0x1f, // day + (dostime >> 11) & 0x1f, // hour + (dostime >> 5) & 0x3f, // minute + (dostime & 0x1f) << 1)); // second + } +}; +module.exports = DataReader; + +},{"../utils":32}],19:[function(require,module,exports){ +'use strict'; +var Uint8ArrayReader = require('./Uint8ArrayReader'); +var utils = require('../utils'); + +function NodeBufferReader(data) { + Uint8ArrayReader.call(this, data); +} +utils.inherits(NodeBufferReader, Uint8ArrayReader); + +/** + * @see DataReader.readData + */ +NodeBufferReader.prototype.readData = function(size) { + this.checkOffset(size); + var result = this.data.slice(this.zero + this.index, this.zero + this.index + size); + this.index += size; + return result; +}; +module.exports = NodeBufferReader; + +},{"../utils":32,"./Uint8ArrayReader":21}],20:[function(require,module,exports){ +'use strict'; +var DataReader = require('./DataReader'); +var utils = require('../utils'); + +function StringReader(data) { + DataReader.call(this, data); +} +utils.inherits(StringReader, DataReader); +/** + * @see DataReader.byteAt + */ +StringReader.prototype.byteAt = function(i) { + return this.data.charCodeAt(this.zero + i); +}; +/** + * @see DataReader.lastIndexOfSignature + */ +StringReader.prototype.lastIndexOfSignature = function(sig) { + return this.data.lastIndexOf(sig) - this.zero; +}; +/** + * @see DataReader.readAndCheckSignature + */ +StringReader.prototype.readAndCheckSignature = function (sig) { + var data = this.readData(4); + return sig === data; +}; +/** + * @see DataReader.readData + */ +StringReader.prototype.readData = function(size) { + this.checkOffset(size); + // this will work because the constructor applied the "& 0xff" mask. + var result = this.data.slice(this.zero + this.index, this.zero + this.index + size); + this.index += size; + return result; +}; +module.exports = StringReader; + +},{"../utils":32,"./DataReader":18}],21:[function(require,module,exports){ +'use strict'; +var ArrayReader = require('./ArrayReader'); +var utils = require('../utils'); + +function Uint8ArrayReader(data) { + ArrayReader.call(this, data); +} +utils.inherits(Uint8ArrayReader, ArrayReader); +/** + * @see DataReader.readData + */ +Uint8ArrayReader.prototype.readData = function(size) { + this.checkOffset(size); + if(size === 0) { + // in IE10, when using subarray(idx, idx), we get the array [0x00] instead of []. + return new Uint8Array(0); + } + var result = this.data.subarray(this.zero + this.index, this.zero + this.index + size); + this.index += size; + return result; +}; +module.exports = Uint8ArrayReader; + +},{"../utils":32,"./ArrayReader":17}],22:[function(require,module,exports){ +'use strict'; + +var utils = require('../utils'); +var support = require('../support'); +var ArrayReader = require('./ArrayReader'); +var StringReader = require('./StringReader'); +var NodeBufferReader = require('./NodeBufferReader'); +var Uint8ArrayReader = require('./Uint8ArrayReader'); + +/** + * Create a reader adapted to the data. + * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data to read. + * @return {DataReader} the data reader. + */ +module.exports = function (data) { + var type = utils.getTypeOf(data); + utils.checkSupport(type); + if (type === "string" && !support.uint8array) { + return new StringReader(data); + } + if (type === "nodebuffer") { + return new NodeBufferReader(data); + } + if (support.uint8array) { + return new Uint8ArrayReader(utils.transformTo("uint8array", data)); + } + return new ArrayReader(utils.transformTo("array", data)); +}; + +},{"../support":30,"../utils":32,"./ArrayReader":17,"./NodeBufferReader":19,"./StringReader":20,"./Uint8ArrayReader":21}],23:[function(require,module,exports){ +'use strict'; +exports.LOCAL_FILE_HEADER = "PK\x03\x04"; +exports.CENTRAL_FILE_HEADER = "PK\x01\x02"; +exports.CENTRAL_DIRECTORY_END = "PK\x05\x06"; +exports.ZIP64_CENTRAL_DIRECTORY_LOCATOR = "PK\x06\x07"; +exports.ZIP64_CENTRAL_DIRECTORY_END = "PK\x06\x06"; +exports.DATA_DESCRIPTOR = "PK\x07\x08"; + +},{}],24:[function(require,module,exports){ +'use strict'; + +var GenericWorker = require('./GenericWorker'); +var utils = require('../utils'); + +/** + * A worker which convert chunks to a specified type. + * @constructor + * @param {String} destType the destination type. + */ +function ConvertWorker(destType) { + GenericWorker.call(this, "ConvertWorker to " + destType); + this.destType = destType; +} +utils.inherits(ConvertWorker, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +ConvertWorker.prototype.processChunk = function (chunk) { + this.push({ + data : utils.transformTo(this.destType, chunk.data), + meta : chunk.meta + }); +}; +module.exports = ConvertWorker; + +},{"../utils":32,"./GenericWorker":28}],25:[function(require,module,exports){ +'use strict'; + +var GenericWorker = require('./GenericWorker'); +var crc32 = require('../crc32'); +var utils = require('../utils'); + +/** + * A worker which calculate the crc32 of the data flowing through. + * @constructor + */ +function Crc32Probe() { + GenericWorker.call(this, "Crc32Probe"); + this.withStreamInfo("crc32", 0); +} +utils.inherits(Crc32Probe, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +Crc32Probe.prototype.processChunk = function (chunk) { + this.streamInfo.crc32 = crc32(chunk.data, this.streamInfo.crc32 || 0); + this.push(chunk); +}; +module.exports = Crc32Probe; + +},{"../crc32":4,"../utils":32,"./GenericWorker":28}],26:[function(require,module,exports){ +'use strict'; + +var utils = require('../utils'); +var GenericWorker = require('./GenericWorker'); + +/** + * A worker which calculate the total length of the data flowing through. + * @constructor + * @param {String} propName the name used to expose the length + */ +function DataLengthProbe(propName) { + GenericWorker.call(this, "DataLengthProbe for " + propName); + this.propName = propName; + this.withStreamInfo(propName, 0); +} +utils.inherits(DataLengthProbe, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +DataLengthProbe.prototype.processChunk = function (chunk) { + if(chunk) { + var length = this.streamInfo[this.propName] || 0; + this.streamInfo[this.propName] = length + chunk.data.length; + } + GenericWorker.prototype.processChunk.call(this, chunk); +}; +module.exports = DataLengthProbe; + + +},{"../utils":32,"./GenericWorker":28}],27:[function(require,module,exports){ +'use strict'; + +var utils = require('../utils'); +var GenericWorker = require('./GenericWorker'); + +// the size of the generated chunks +// TODO expose this as a public variable +var DEFAULT_BLOCK_SIZE = 16 * 1024; + +/** + * A worker that reads a content and emits chunks. + * @constructor + * @param {Promise} dataP the promise of the data to split + */ +function DataWorker(dataP) { + GenericWorker.call(this, "DataWorker"); + var self = this; + this.dataIsReady = false; + this.index = 0; + this.max = 0; + this.data = null; + this.type = ""; + + this._tickScheduled = false; + + dataP.then(function (data) { + self.dataIsReady = true; + self.data = data; + self.max = data && data.length || 0; + self.type = utils.getTypeOf(data); + if(!self.isPaused) { + self._tickAndRepeat(); + } + }, function (e) { + self.error(e); + }); +} + +utils.inherits(DataWorker, GenericWorker); + +/** + * @see GenericWorker.cleanUp + */ +DataWorker.prototype.cleanUp = function () { + GenericWorker.prototype.cleanUp.call(this); + this.data = null; +}; + +/** + * @see GenericWorker.resume + */ +DataWorker.prototype.resume = function () { + if(!GenericWorker.prototype.resume.call(this)) { + return false; + } + + if (!this._tickScheduled && this.dataIsReady) { + this._tickScheduled = true; + utils.delay(this._tickAndRepeat, [], this); + } + return true; +}; + +/** + * Trigger a tick a schedule an other call to this function. + */ +DataWorker.prototype._tickAndRepeat = function() { + this._tickScheduled = false; + if(this.isPaused || this.isFinished) { + return; + } + this._tick(); + if(!this.isFinished) { + utils.delay(this._tickAndRepeat, [], this); + this._tickScheduled = true; + } +}; + +/** + * Read and push a chunk. + */ +DataWorker.prototype._tick = function() { + + if(this.isPaused || this.isFinished) { + return false; + } + + var size = DEFAULT_BLOCK_SIZE; + var data = null, nextIndex = Math.min(this.max, this.index + size); + if (this.index >= this.max) { + // EOF + return this.end(); + } else { + switch(this.type) { + case "string": + data = this.data.substring(this.index, nextIndex); + break; + case "uint8array": + data = this.data.subarray(this.index, nextIndex); + break; + case "array": + case "nodebuffer": + data = this.data.slice(this.index, nextIndex); + break; + } + this.index = nextIndex; + return this.push({ + data : data, + meta : { + percent : this.max ? this.index / this.max * 100 : 0 + } + }); + } +}; + +module.exports = DataWorker; + +},{"../utils":32,"./GenericWorker":28}],28:[function(require,module,exports){ +'use strict'; + +/** + * A worker that does nothing but passing chunks to the next one. This is like + * a nodejs stream but with some differences. On the good side : + * - it works on IE 6-9 without any issue / polyfill + * - it weights less than the full dependencies bundled with browserify + * - it forwards errors (no need to declare an error handler EVERYWHERE) + * + * A chunk is an object with 2 attributes : `meta` and `data`. The former is an + * object containing anything (`percent` for example), see each worker for more + * details. The latter is the real data (String, Uint8Array, etc). + * + * @constructor + * @param {String} name the name of the stream (mainly used for debugging purposes) + */ +function GenericWorker(name) { + // the name of the worker + this.name = name || "default"; + // an object containing metadata about the workers chain + this.streamInfo = {}; + // an error which happened when the worker was paused + this.generatedError = null; + // an object containing metadata to be merged by this worker into the general metadata + this.extraStreamInfo = {}; + // true if the stream is paused (and should not do anything), false otherwise + this.isPaused = true; + // true if the stream is finished (and should not do anything), false otherwise + this.isFinished = false; + // true if the stream is locked to prevent further structure updates (pipe), false otherwise + this.isLocked = false; + // the event listeners + this._listeners = { + 'data':[], + 'end':[], + 'error':[] + }; + // the previous worker, if any + this.previous = null; +} + +GenericWorker.prototype = { + /** + * Push a chunk to the next workers. + * @param {Object} chunk the chunk to push + */ + push : function (chunk) { + this.emit("data", chunk); + }, + /** + * End the stream. + * @return {Boolean} true if this call ended the worker, false otherwise. + */ + end : function () { + if (this.isFinished) { + return false; + } + + this.flush(); + try { + this.emit("end"); + this.cleanUp(); + this.isFinished = true; + } catch (e) { + this.emit("error", e); + } + return true; + }, + /** + * End the stream with an error. + * @param {Error} e the error which caused the premature end. + * @return {Boolean} true if this call ended the worker with an error, false otherwise. + */ + error : function (e) { + if (this.isFinished) { + return false; + } + + if(this.isPaused) { + this.generatedError = e; + } else { + this.isFinished = true; + + this.emit("error", e); + + // in the workers chain exploded in the middle of the chain, + // the error event will go downward but we also need to notify + // workers upward that there has been an error. + if(this.previous) { + this.previous.error(e); + } + + this.cleanUp(); + } + return true; + }, + /** + * Add a callback on an event. + * @param {String} name the name of the event (data, end, error) + * @param {Function} listener the function to call when the event is triggered + * @return {GenericWorker} the current object for chainability + */ + on : function (name, listener) { + this._listeners[name].push(listener); + return this; + }, + /** + * Clean any references when a worker is ending. + */ + cleanUp : function () { + this.streamInfo = this.generatedError = this.extraStreamInfo = null; + this._listeners = []; + }, + /** + * Trigger an event. This will call registered callback with the provided arg. + * @param {String} name the name of the event (data, end, error) + * @param {Object} arg the argument to call the callback with. + */ + emit : function (name, arg) { + if (this._listeners[name]) { + for(var i = 0; i < this._listeners[name].length; i++) { + this._listeners[name][i].call(this, arg); + } + } + }, + /** + * Chain a worker with an other. + * @param {Worker} next the worker receiving events from the current one. + * @return {worker} the next worker for chainability + */ + pipe : function (next) { + return next.registerPrevious(this); + }, + /** + * Same as `pipe` in the other direction. + * Using an API with `pipe(next)` is very easy. + * Implementing the API with the point of view of the next one registering + * a source is easier, see the ZipFileWorker. + * @param {Worker} previous the previous worker, sending events to this one + * @return {Worker} the current worker for chainability + */ + registerPrevious : function (previous) { + if (this.isLocked) { + throw new Error("The stream '" + this + "' has already been used."); + } + + // sharing the streamInfo... + this.streamInfo = previous.streamInfo; + // ... and adding our own bits + this.mergeStreamInfo(); + this.previous = previous; + var self = this; + previous.on('data', function (chunk) { + self.processChunk(chunk); + }); + previous.on('end', function () { + self.end(); + }); + previous.on('error', function (e) { + self.error(e); + }); + return this; + }, + /** + * Pause the stream so it doesn't send events anymore. + * @return {Boolean} true if this call paused the worker, false otherwise. + */ + pause : function () { + if(this.isPaused || this.isFinished) { + return false; + } + this.isPaused = true; + + if(this.previous) { + this.previous.pause(); + } + return true; + }, + /** + * Resume a paused stream. + * @return {Boolean} true if this call resumed the worker, false otherwise. + */ + resume : function () { + if(!this.isPaused || this.isFinished) { + return false; + } + this.isPaused = false; + + // if true, the worker tried to resume but failed + var withError = false; + if(this.generatedError) { + this.error(this.generatedError); + withError = true; + } + if(this.previous) { + this.previous.resume(); + } + + return !withError; + }, + /** + * Flush any remaining bytes as the stream is ending. + */ + flush : function () {}, + /** + * Process a chunk. This is usually the method overridden. + * @param {Object} chunk the chunk to process. + */ + processChunk : function(chunk) { + this.push(chunk); + }, + /** + * Add a key/value to be added in the workers chain streamInfo once activated. + * @param {String} key the key to use + * @param {Object} value the associated value + * @return {Worker} the current worker for chainability + */ + withStreamInfo : function (key, value) { + this.extraStreamInfo[key] = value; + this.mergeStreamInfo(); + return this; + }, + /** + * Merge this worker's streamInfo into the chain's streamInfo. + */ + mergeStreamInfo : function () { + for(var key in this.extraStreamInfo) { + if (!this.extraStreamInfo.hasOwnProperty(key)) { + continue; + } + this.streamInfo[key] = this.extraStreamInfo[key]; + } + }, + + /** + * Lock the stream to prevent further updates on the workers chain. + * After calling this method, all calls to pipe will fail. + */ + lock: function () { + if (this.isLocked) { + throw new Error("The stream '" + this + "' has already been used."); + } + this.isLocked = true; + if (this.previous) { + this.previous.lock(); + } + }, + + /** + * + * Pretty print the workers chain. + */ + toString : function () { + var me = "Worker " + this.name; + if (this.previous) { + return this.previous + " -> " + me; + } else { + return me; + } + } +}; + +module.exports = GenericWorker; + +},{}],29:[function(require,module,exports){ +'use strict'; + +var utils = require('../utils'); +var ConvertWorker = require('./ConvertWorker'); +var GenericWorker = require('./GenericWorker'); +var base64 = require('../base64'); +var support = require("../support"); +var external = require("../external"); + +var NodejsStreamOutputAdapter = null; +if (support.nodestream) { + try { + NodejsStreamOutputAdapter = require('../nodejs/NodejsStreamOutputAdapter'); + } catch(e) {} +} + +/** + * Apply the final transformation of the data. If the user wants a Blob for + * example, it's easier to work with an U8intArray and finally do the + * ArrayBuffer/Blob conversion. + * @param {String} type the name of the final type + * @param {String|Uint8Array|Buffer} content the content to transform + * @param {String} mimeType the mime type of the content, if applicable. + * @return {String|Uint8Array|ArrayBuffer|Buffer|Blob} the content in the right format. + */ +function transformZipOutput(type, content, mimeType) { + switch(type) { + case "blob" : + return utils.newBlob(utils.transformTo("arraybuffer", content), mimeType); + case "base64" : + return base64.encode(content); + default : + return utils.transformTo(type, content); + } +} + +/** + * Concatenate an array of data of the given type. + * @param {String} type the type of the data in the given array. + * @param {Array} dataArray the array containing the data chunks to concatenate + * @return {String|Uint8Array|Buffer} the concatenated data + * @throws Error if the asked type is unsupported + */ +function concat (type, dataArray) { + var i, index = 0, res = null, totalLength = 0; + for(i = 0; i < dataArray.length; i++) { + totalLength += dataArray[i].length; + } + switch(type) { + case "string": + return dataArray.join(""); + case "array": + return Array.prototype.concat.apply([], dataArray); + case "uint8array": + res = new Uint8Array(totalLength); + for(i = 0; i < dataArray.length; i++) { + res.set(dataArray[i], index); + index += dataArray[i].length; + } + return res; + case "nodebuffer": + return Buffer.concat(dataArray); + default: + throw new Error("concat : unsupported type '" + type + "'"); + } +} + +/** + * Listen a StreamHelper, accumulate its content and concatenate it into a + * complete block. + * @param {StreamHelper} helper the helper to use. + * @param {Function} updateCallback a callback called on each update. Called + * with one arg : + * - the metadata linked to the update received. + * @return Promise the promise for the accumulation. + */ +function accumulate(helper, updateCallback) { + return new external.Promise(function (resolve, reject){ + var dataArray = []; + var chunkType = helper._internalType, + resultType = helper._outputType, + mimeType = helper._mimeType; + helper + .on('data', function (data, meta) { + dataArray.push(data); + if(updateCallback) { + updateCallback(meta); + } + }) + .on('error', function(err) { + dataArray = []; + reject(err); + }) + .on('end', function (){ + try { + var result = transformZipOutput(resultType, concat(chunkType, dataArray), mimeType); + resolve(result); + } catch (e) { + reject(e); + } + dataArray = []; + }) + .resume(); + }); +} + +/** + * An helper to easily use workers outside of JSZip. + * @constructor + * @param {Worker} worker the worker to wrap + * @param {String} outputType the type of data expected by the use + * @param {String} mimeType the mime type of the content, if applicable. + */ +function StreamHelper(worker, outputType, mimeType) { + var internalType = outputType; + switch(outputType) { + case "blob": + case "arraybuffer": + internalType = "uint8array"; + break; + case "base64": + internalType = "string"; + break; + } + + try { + // the type used internally + this._internalType = internalType; + // the type used to output results + this._outputType = outputType; + // the mime type + this._mimeType = mimeType; + utils.checkSupport(internalType); + this._worker = worker.pipe(new ConvertWorker(internalType)); + // the last workers can be rewired without issues but we need to + // prevent any updates on previous workers. + worker.lock(); + } catch(e) { + this._worker = new GenericWorker("error"); + this._worker.error(e); + } +} + +StreamHelper.prototype = { + /** + * Listen a StreamHelper, accumulate its content and concatenate it into a + * complete block. + * @param {Function} updateCb the update callback. + * @return Promise the promise for the accumulation. + */ + accumulate : function (updateCb) { + return accumulate(this, updateCb); + }, + /** + * Add a listener on an event triggered on a stream. + * @param {String} evt the name of the event + * @param {Function} fn the listener + * @return {StreamHelper} the current helper. + */ + on : function (evt, fn) { + var self = this; + + if(evt === "data") { + this._worker.on(evt, function (chunk) { + fn.call(self, chunk.data, chunk.meta); + }); + } else { + this._worker.on(evt, function () { + utils.delay(fn, arguments, self); + }); + } + return this; + }, + /** + * Resume the flow of chunks. + * @return {StreamHelper} the current helper. + */ + resume : function () { + utils.delay(this._worker.resume, [], this._worker); + return this; + }, + /** + * Pause the flow of chunks. + * @return {StreamHelper} the current helper. + */ + pause : function () { + this._worker.pause(); + return this; + }, + /** + * Return a nodejs stream for this helper. + * @param {Function} updateCb the update callback. + * @return {NodejsStreamOutputAdapter} the nodejs stream. + */ + toNodejsStream : function (updateCb) { + utils.checkSupport("nodestream"); + if (this._outputType !== "nodebuffer") { + // an object stream containing blob/arraybuffer/uint8array/string + // is strange and I don't know if it would be useful. + // I you find this comment and have a good usecase, please open a + // bug report ! + throw new Error(this._outputType + " is not supported by this method"); + } + + return new NodejsStreamOutputAdapter(this, { + objectMode : this._outputType !== "nodebuffer" + }, updateCb); + } +}; + + +module.exports = StreamHelper; + +},{"../base64":1,"../external":6,"../nodejs/NodejsStreamOutputAdapter":13,"../support":30,"../utils":32,"./ConvertWorker":24,"./GenericWorker":28}],30:[function(require,module,exports){ +'use strict'; + +exports.base64 = true; +exports.array = true; +exports.string = true; +exports.arraybuffer = typeof ArrayBuffer !== "undefined" && typeof Uint8Array !== "undefined"; +exports.nodebuffer = typeof Buffer !== "undefined"; +// contains true if JSZip can read/generate Uint8Array, false otherwise. +exports.uint8array = typeof Uint8Array !== "undefined"; + +if (typeof ArrayBuffer === "undefined") { + exports.blob = false; +} +else { + var buffer = new ArrayBuffer(0); + try { + exports.blob = new Blob([buffer], { + type: "application/zip" + }).size === 0; + } + catch (e) { + try { + var Builder = self.BlobBuilder || self.WebKitBlobBuilder || self.MozBlobBuilder || self.MSBlobBuilder; + var builder = new Builder(); + builder.append(buffer); + exports.blob = builder.getBlob('application/zip').size === 0; + } + catch (e) { + exports.blob = false; + } + } +} + +try { + exports.nodestream = !!require('readable-stream').Readable; +} catch(e) { + exports.nodestream = false; +} + +},{"readable-stream":16}],31:[function(require,module,exports){ +'use strict'; + +var utils = require('./utils'); +var support = require('./support'); +var nodejsUtils = require('./nodejsUtils'); +var GenericWorker = require('./stream/GenericWorker'); + +/** + * The following functions come from pako, from pako/lib/utils/strings + * released under the MIT license, see pako https://github.com/nodeca/pako/ + */ + +// Table with utf8 lengths (calculated by first byte of sequence) +// Note, that 5 & 6-byte values and some 4-byte values can not be represented in JS, +// because max possible codepoint is 0x10ffff +var _utf8len = new Array(256); +for (var i=0; i<256; i++) { + _utf8len[i] = (i >= 252 ? 6 : i >= 248 ? 5 : i >= 240 ? 4 : i >= 224 ? 3 : i >= 192 ? 2 : 1); +} +_utf8len[254]=_utf8len[254]=1; // Invalid sequence start + +// convert string to array (typed, when possible) +var string2buf = function (str) { + var buf, c, c2, m_pos, i, str_len = str.length, buf_len = 0; + + // count binary size + for (m_pos = 0; m_pos < str_len; m_pos++) { + c = str.charCodeAt(m_pos); + if ((c & 0xfc00) === 0xd800 && (m_pos+1 < str_len)) { + c2 = str.charCodeAt(m_pos+1); + if ((c2 & 0xfc00) === 0xdc00) { + c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00); + m_pos++; + } + } + buf_len += c < 0x80 ? 1 : c < 0x800 ? 2 : c < 0x10000 ? 3 : 4; + } + + // allocate buffer + if (support.uint8array) { + buf = new Uint8Array(buf_len); + } else { + buf = new Array(buf_len); + } + + // convert + for (i=0, m_pos = 0; i < buf_len; m_pos++) { + c = str.charCodeAt(m_pos); + if ((c & 0xfc00) === 0xd800 && (m_pos+1 < str_len)) { + c2 = str.charCodeAt(m_pos+1); + if ((c2 & 0xfc00) === 0xdc00) { + c = 0x10000 + ((c - 0xd800) << 10) + (c2 - 0xdc00); + m_pos++; + } + } + if (c < 0x80) { + /* one byte */ + buf[i++] = c; + } else if (c < 0x800) { + /* two bytes */ + buf[i++] = 0xC0 | (c >>> 6); + buf[i++] = 0x80 | (c & 0x3f); + } else if (c < 0x10000) { + /* three bytes */ + buf[i++] = 0xE0 | (c >>> 12); + buf[i++] = 0x80 | (c >>> 6 & 0x3f); + buf[i++] = 0x80 | (c & 0x3f); + } else { + /* four bytes */ + buf[i++] = 0xf0 | (c >>> 18); + buf[i++] = 0x80 | (c >>> 12 & 0x3f); + buf[i++] = 0x80 | (c >>> 6 & 0x3f); + buf[i++] = 0x80 | (c & 0x3f); + } + } + + return buf; +}; + +// Calculate max possible position in utf8 buffer, +// that will not break sequence. If that's not possible +// - (very small limits) return max size as is. +// +// buf[] - utf8 bytes array +// max - length limit (mandatory); +var utf8border = function(buf, max) { + var pos; + + max = max || buf.length; + if (max > buf.length) { max = buf.length; } + + // go back from last position, until start of sequence found + pos = max-1; + while (pos >= 0 && (buf[pos] & 0xC0) === 0x80) { pos--; } + + // Fuckup - very small and broken sequence, + // return max, because we should return something anyway. + if (pos < 0) { return max; } + + // If we came to start of buffer - that means vuffer is too small, + // return max too. + if (pos === 0) { return max; } + + return (pos + _utf8len[buf[pos]] > max) ? pos : max; +}; + +// convert array to string +var buf2string = function (buf) { + var str, i, out, c, c_len; + var len = buf.length; + + // Reserve max possible length (2 words per char) + // NB: by unknown reasons, Array is significantly faster for + // String.fromCharCode.apply than Uint16Array. + var utf16buf = new Array(len*2); + + for (out=0, i=0; i 4) { utf16buf[out++] = 0xfffd; i += c_len-1; continue; } + + // apply mask on first byte + c &= c_len === 2 ? 0x1f : c_len === 3 ? 0x0f : 0x07; + // join the rest + while (c_len > 1 && i < len) { + c = (c << 6) | (buf[i++] & 0x3f); + c_len--; + } + + // terminated by end of string? + if (c_len > 1) { utf16buf[out++] = 0xfffd; continue; } + + if (c < 0x10000) { + utf16buf[out++] = c; + } else { + c -= 0x10000; + utf16buf[out++] = 0xd800 | ((c >> 10) & 0x3ff); + utf16buf[out++] = 0xdc00 | (c & 0x3ff); + } + } + + // shrinkBuf(utf16buf, out) + if (utf16buf.length !== out) { + if(utf16buf.subarray) { + utf16buf = utf16buf.subarray(0, out); + } else { + utf16buf.length = out; + } + } + + // return String.fromCharCode.apply(null, utf16buf); + return utils.applyFromCharCode(utf16buf); +}; + + +// That's all for the pako functions. + + +/** + * Transform a javascript string into an array (typed if possible) of bytes, + * UTF-8 encoded. + * @param {String} str the string to encode + * @return {Array|Uint8Array|Buffer} the UTF-8 encoded string. + */ +exports.utf8encode = function utf8encode(str) { + if (support.nodebuffer) { + return nodejsUtils.newBufferFrom(str, "utf-8"); + } + + return string2buf(str); +}; + + +/** + * Transform a bytes array (or a representation) representing an UTF-8 encoded + * string into a javascript string. + * @param {Array|Uint8Array|Buffer} buf the data de decode + * @return {String} the decoded string. + */ +exports.utf8decode = function utf8decode(buf) { + if (support.nodebuffer) { + return utils.transformTo("nodebuffer", buf).toString("utf-8"); + } + + buf = utils.transformTo(support.uint8array ? "uint8array" : "array", buf); + + return buf2string(buf); +}; + +/** + * A worker to decode utf8 encoded binary chunks into string chunks. + * @constructor + */ +function Utf8DecodeWorker() { + GenericWorker.call(this, "utf-8 decode"); + // the last bytes if a chunk didn't end with a complete codepoint. + this.leftOver = null; +} +utils.inherits(Utf8DecodeWorker, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +Utf8DecodeWorker.prototype.processChunk = function (chunk) { + + var data = utils.transformTo(support.uint8array ? "uint8array" : "array", chunk.data); + + // 1st step, re-use what's left of the previous chunk + if (this.leftOver && this.leftOver.length) { + if(support.uint8array) { + var previousData = data; + data = new Uint8Array(previousData.length + this.leftOver.length); + data.set(this.leftOver, 0); + data.set(previousData, this.leftOver.length); + } else { + data = this.leftOver.concat(data); + } + this.leftOver = null; + } + + var nextBoundary = utf8border(data); + var usableData = data; + if (nextBoundary !== data.length) { + if (support.uint8array) { + usableData = data.subarray(0, nextBoundary); + this.leftOver = data.subarray(nextBoundary, data.length); + } else { + usableData = data.slice(0, nextBoundary); + this.leftOver = data.slice(nextBoundary, data.length); + } + } + + this.push({ + data : exports.utf8decode(usableData), + meta : chunk.meta + }); +}; + +/** + * @see GenericWorker.flush + */ +Utf8DecodeWorker.prototype.flush = function () { + if(this.leftOver && this.leftOver.length) { + this.push({ + data : exports.utf8decode(this.leftOver), + meta : {} + }); + this.leftOver = null; + } +}; +exports.Utf8DecodeWorker = Utf8DecodeWorker; + +/** + * A worker to endcode string chunks into utf8 encoded binary chunks. + * @constructor + */ +function Utf8EncodeWorker() { + GenericWorker.call(this, "utf-8 encode"); +} +utils.inherits(Utf8EncodeWorker, GenericWorker); + +/** + * @see GenericWorker.processChunk + */ +Utf8EncodeWorker.prototype.processChunk = function (chunk) { + this.push({ + data : exports.utf8encode(chunk.data), + meta : chunk.meta + }); +}; +exports.Utf8EncodeWorker = Utf8EncodeWorker; + +},{"./nodejsUtils":14,"./stream/GenericWorker":28,"./support":30,"./utils":32}],32:[function(require,module,exports){ +'use strict'; + +var support = require('./support'); +var base64 = require('./base64'); +var nodejsUtils = require('./nodejsUtils'); +var setImmediate = require('core-js/library/fn/set-immediate'); +var external = require("./external"); + + +/** + * Convert a string that pass as a "binary string": it should represent a byte + * array but may have > 255 char codes. Be sure to take only the first byte + * and returns the byte array. + * @param {String} str the string to transform. + * @return {Array|Uint8Array} the string in a binary format. + */ +function string2binary(str) { + var result = null; + if (support.uint8array) { + result = new Uint8Array(str.length); + } else { + result = new Array(str.length); + } + return stringToArrayLike(str, result); +} + +/** + * Create a new blob with the given content and the given type. + * @param {String|ArrayBuffer} part the content to put in the blob. DO NOT use + * an Uint8Array because the stock browser of android 4 won't accept it (it + * will be silently converted to a string, "[object Uint8Array]"). + * + * Use only ONE part to build the blob to avoid a memory leak in IE11 / Edge: + * when a large amount of Array is used to create the Blob, the amount of + * memory consumed is nearly 100 times the original data amount. + * + * @param {String} type the mime type of the blob. + * @return {Blob} the created blob. + */ +exports.newBlob = function(part, type) { + exports.checkSupport("blob"); + + try { + // Blob constructor + return new Blob([part], { + type: type + }); + } + catch (e) { + + try { + // deprecated, browser only, old way + var Builder = self.BlobBuilder || self.WebKitBlobBuilder || self.MozBlobBuilder || self.MSBlobBuilder; + var builder = new Builder(); + builder.append(part); + return builder.getBlob(type); + } + catch (e) { + + // well, fuck ?! + throw new Error("Bug : can't construct the Blob."); + } + } + + +}; +/** + * The identity function. + * @param {Object} input the input. + * @return {Object} the same input. + */ +function identity(input) { + return input; +} + +/** + * Fill in an array with a string. + * @param {String} str the string to use. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to fill in (will be mutated). + * @return {Array|ArrayBuffer|Uint8Array|Buffer} the updated array. + */ +function stringToArrayLike(str, array) { + for (var i = 0; i < str.length; ++i) { + array[i] = str.charCodeAt(i) & 0xFF; + } + return array; +} + +/** + * An helper for the function arrayLikeToString. + * This contains static informations and functions that + * can be optimized by the browser JIT compiler. + */ +var arrayToStringHelper = { + /** + * Transform an array of int into a string, chunk by chunk. + * See the performances notes on arrayLikeToString. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform. + * @param {String} type the type of the array. + * @param {Integer} chunk the chunk size. + * @return {String} the resulting string. + * @throws Error if the chunk is too big for the stack. + */ + stringifyByChunk: function(array, type, chunk) { + var result = [], k = 0, len = array.length; + // shortcut + if (len <= chunk) { + return String.fromCharCode.apply(null, array); + } + while (k < len) { + if (type === "array" || type === "nodebuffer") { + result.push(String.fromCharCode.apply(null, array.slice(k, Math.min(k + chunk, len)))); + } + else { + result.push(String.fromCharCode.apply(null, array.subarray(k, Math.min(k + chunk, len)))); + } + k += chunk; + } + return result.join(""); + }, + /** + * Call String.fromCharCode on every item in the array. + * This is the naive implementation, which generate A LOT of intermediate string. + * This should be used when everything else fail. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform. + * @return {String} the result. + */ + stringifyByChar: function(array){ + var resultStr = ""; + for(var i = 0; i < array.length; i++) { + resultStr += String.fromCharCode(array[i]); + } + return resultStr; + }, + applyCanBeUsed : { + /** + * true if the browser accepts to use String.fromCharCode on Uint8Array + */ + uint8array : (function () { + try { + return support.uint8array && String.fromCharCode.apply(null, new Uint8Array(1)).length === 1; + } catch (e) { + return false; + } + })(), + /** + * true if the browser accepts to use String.fromCharCode on nodejs Buffer. + */ + nodebuffer : (function () { + try { + return support.nodebuffer && String.fromCharCode.apply(null, nodejsUtils.allocBuffer(1)).length === 1; + } catch (e) { + return false; + } + })() + } +}; + +/** + * Transform an array-like object to a string. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} array the array to transform. + * @return {String} the result. + */ +function arrayLikeToString(array) { + // Performances notes : + // -------------------- + // String.fromCharCode.apply(null, array) is the fastest, see + // see http://jsperf.com/converting-a-uint8array-to-a-string/2 + // but the stack is limited (and we can get huge arrays !). + // + // result += String.fromCharCode(array[i]); generate too many strings ! + // + // This code is inspired by http://jsperf.com/arraybuffer-to-string-apply-performance/2 + // TODO : we now have workers that split the work. Do we still need that ? + var chunk = 65536, + type = exports.getTypeOf(array), + canUseApply = true; + if (type === "uint8array") { + canUseApply = arrayToStringHelper.applyCanBeUsed.uint8array; + } else if (type === "nodebuffer") { + canUseApply = arrayToStringHelper.applyCanBeUsed.nodebuffer; + } + + if (canUseApply) { + while (chunk > 1) { + try { + return arrayToStringHelper.stringifyByChunk(array, type, chunk); + } catch (e) { + chunk = Math.floor(chunk / 2); + } + } + } + + // no apply or chunk error : slow and painful algorithm + // default browser on android 4.* + return arrayToStringHelper.stringifyByChar(array); +} + +exports.applyFromCharCode = arrayLikeToString; + + +/** + * Copy the data from an array-like to an other array-like. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} arrayFrom the origin array. + * @param {Array|ArrayBuffer|Uint8Array|Buffer} arrayTo the destination array which will be mutated. + * @return {Array|ArrayBuffer|Uint8Array|Buffer} the updated destination array. + */ +function arrayLikeToArrayLike(arrayFrom, arrayTo) { + for (var i = 0; i < arrayFrom.length; i++) { + arrayTo[i] = arrayFrom[i]; + } + return arrayTo; +} + +// a matrix containing functions to transform everything into everything. +var transform = {}; + +// string to ? +transform["string"] = { + "string": identity, + "array": function(input) { + return stringToArrayLike(input, new Array(input.length)); + }, + "arraybuffer": function(input) { + return transform["string"]["uint8array"](input).buffer; + }, + "uint8array": function(input) { + return stringToArrayLike(input, new Uint8Array(input.length)); + }, + "nodebuffer": function(input) { + return stringToArrayLike(input, nodejsUtils.allocBuffer(input.length)); + } +}; + +// array to ? +transform["array"] = { + "string": arrayLikeToString, + "array": identity, + "arraybuffer": function(input) { + return (new Uint8Array(input)).buffer; + }, + "uint8array": function(input) { + return new Uint8Array(input); + }, + "nodebuffer": function(input) { + return nodejsUtils.newBufferFrom(input); + } +}; + +// arraybuffer to ? +transform["arraybuffer"] = { + "string": function(input) { + return arrayLikeToString(new Uint8Array(input)); + }, + "array": function(input) { + return arrayLikeToArrayLike(new Uint8Array(input), new Array(input.byteLength)); + }, + "arraybuffer": identity, + "uint8array": function(input) { + return new Uint8Array(input); + }, + "nodebuffer": function(input) { + return nodejsUtils.newBufferFrom(new Uint8Array(input)); + } +}; + +// uint8array to ? +transform["uint8array"] = { + "string": arrayLikeToString, + "array": function(input) { + return arrayLikeToArrayLike(input, new Array(input.length)); + }, + "arraybuffer": function(input) { + return input.buffer; + }, + "uint8array": identity, + "nodebuffer": function(input) { + return nodejsUtils.newBufferFrom(input); + } +}; + +// nodebuffer to ? +transform["nodebuffer"] = { + "string": arrayLikeToString, + "array": function(input) { + return arrayLikeToArrayLike(input, new Array(input.length)); + }, + "arraybuffer": function(input) { + return transform["nodebuffer"]["uint8array"](input).buffer; + }, + "uint8array": function(input) { + return arrayLikeToArrayLike(input, new Uint8Array(input.length)); + }, + "nodebuffer": identity +}; + +/** + * Transform an input into any type. + * The supported output type are : string, array, uint8array, arraybuffer, nodebuffer. + * If no output type is specified, the unmodified input will be returned. + * @param {String} outputType the output type. + * @param {String|Array|ArrayBuffer|Uint8Array|Buffer} input the input to convert. + * @throws {Error} an Error if the browser doesn't support the requested output type. + */ +exports.transformTo = function(outputType, input) { + if (!input) { + // undefined, null, etc + // an empty string won't harm. + input = ""; + } + if (!outputType) { + return input; + } + exports.checkSupport(outputType); + var inputType = exports.getTypeOf(input); + var result = transform[inputType][outputType](input); + return result; +}; + +/** + * Return the type of the input. + * The type will be in a format valid for JSZip.utils.transformTo : string, array, uint8array, arraybuffer. + * @param {Object} input the input to identify. + * @return {String} the (lowercase) type of the input. + */ +exports.getTypeOf = function(input) { + if (typeof input === "string") { + return "string"; + } + if (Object.prototype.toString.call(input) === "[object Array]") { + return "array"; + } + if (support.nodebuffer && nodejsUtils.isBuffer(input)) { + return "nodebuffer"; + } + if (support.uint8array && input instanceof Uint8Array) { + return "uint8array"; + } + if (support.arraybuffer && input instanceof ArrayBuffer) { + return "arraybuffer"; + } +}; + +/** + * Throw an exception if the type is not supported. + * @param {String} type the type to check. + * @throws {Error} an Error if the browser doesn't support the requested type. + */ +exports.checkSupport = function(type) { + var supported = support[type.toLowerCase()]; + if (!supported) { + throw new Error(type + " is not supported by this platform"); + } +}; + +exports.MAX_VALUE_16BITS = 65535; +exports.MAX_VALUE_32BITS = -1; // well, "\xFF\xFF\xFF\xFF\xFF\xFF\xFF\xFF" is parsed as -1 + +/** + * Prettify a string read as binary. + * @param {string} str the string to prettify. + * @return {string} a pretty string. + */ +exports.pretty = function(str) { + var res = '', + code, i; + for (i = 0; i < (str || "").length; i++) { + code = str.charCodeAt(i); + res += '\\x' + (code < 16 ? "0" : "") + code.toString(16).toUpperCase(); + } + return res; +}; + +/** + * Defer the call of a function. + * @param {Function} callback the function to call asynchronously. + * @param {Array} args the arguments to give to the callback. + */ +exports.delay = function(callback, args, self) { + setImmediate(function () { + callback.apply(self || null, args || []); + }); +}; + +/** + * Extends a prototype with an other, without calling a constructor with + * side effects. Inspired by nodejs' `utils.inherits` + * @param {Function} ctor the constructor to augment + * @param {Function} superCtor the parent constructor to use + */ +exports.inherits = function (ctor, superCtor) { + var Obj = function() {}; + Obj.prototype = superCtor.prototype; + ctor.prototype = new Obj(); +}; + +/** + * Merge the objects passed as parameters into a new one. + * @private + * @param {...Object} var_args All objects to merge. + * @return {Object} a new object with the data of the others. + */ +exports.extend = function() { + var result = {}, i, attr; + for (i = 0; i < arguments.length; i++) { // arguments is not enumerable in some browsers + for (attr in arguments[i]) { + if (arguments[i].hasOwnProperty(attr) && typeof result[attr] === "undefined") { + result[attr] = arguments[i][attr]; + } + } + } + return result; +}; + +/** + * Transform arbitrary content into a Promise. + * @param {String} name a name for the content being processed. + * @param {Object} inputData the content to process. + * @param {Boolean} isBinary true if the content is not an unicode string + * @param {Boolean} isOptimizedBinaryString true if the string content only has one byte per character. + * @param {Boolean} isBase64 true if the string content is encoded with base64. + * @return {Promise} a promise in a format usable by JSZip. + */ +exports.prepareContent = function(name, inputData, isBinary, isOptimizedBinaryString, isBase64) { + + // if inputData is already a promise, this flatten it. + var promise = external.Promise.resolve(inputData).then(function(data) { + + + var isBlob = support.blob && (data instanceof Blob || ['[object File]', '[object Blob]'].indexOf(Object.prototype.toString.call(data)) !== -1); + + if (isBlob && typeof FileReader !== "undefined") { + return new external.Promise(function (resolve, reject) { + var reader = new FileReader(); + + reader.onload = function(e) { + resolve(e.target.result); + }; + reader.onerror = function(e) { + reject(e.target.error); + }; + reader.readAsArrayBuffer(data); + }); + } else { + return data; + } + }); + + return promise.then(function(data) { + var dataType = exports.getTypeOf(data); + + if (!dataType) { + return external.Promise.reject( + new Error("Can't read the data of '" + name + "'. Is it " + + "in a supported JavaScript type (String, Blob, ArrayBuffer, etc) ?") + ); + } + // special case : it's way easier to work with Uint8Array than with ArrayBuffer + if (dataType === "arraybuffer") { + data = exports.transformTo("uint8array", data); + } else if (dataType === "string") { + if (isBase64) { + data = base64.decode(data); + } + else if (isBinary) { + // optimizedBinaryString === true means that the file has already been filtered with a 0xFF mask + if (isOptimizedBinaryString !== true) { + // this is a string, not in a base64 format. + // Be sure that this is a correct "binary string" + data = string2binary(data); + } + } + } + return data; + }); +}; + +},{"./base64":1,"./external":6,"./nodejsUtils":14,"./support":30,"core-js/library/fn/set-immediate":36}],33:[function(require,module,exports){ +'use strict'; +var readerFor = require('./reader/readerFor'); +var utils = require('./utils'); +var sig = require('./signature'); +var ZipEntry = require('./zipEntry'); +var utf8 = require('./utf8'); +var support = require('./support'); +// class ZipEntries {{{ +/** + * All the entries in the zip file. + * @constructor + * @param {Object} loadOptions Options for loading the stream. + */ +function ZipEntries(loadOptions) { + this.files = []; + this.loadOptions = loadOptions; +} +ZipEntries.prototype = { + /** + * Check that the reader is on the specified signature. + * @param {string} expectedSignature the expected signature. + * @throws {Error} if it is an other signature. + */ + checkSignature: function(expectedSignature) { + if (!this.reader.readAndCheckSignature(expectedSignature)) { + this.reader.index -= 4; + var signature = this.reader.readString(4); + throw new Error("Corrupted zip or bug: unexpected signature " + "(" + utils.pretty(signature) + ", expected " + utils.pretty(expectedSignature) + ")"); + } + }, + /** + * Check if the given signature is at the given index. + * @param {number} askedIndex the index to check. + * @param {string} expectedSignature the signature to expect. + * @return {boolean} true if the signature is here, false otherwise. + */ + isSignature: function(askedIndex, expectedSignature) { + var currentIndex = this.reader.index; + this.reader.setIndex(askedIndex); + var signature = this.reader.readString(4); + var result = signature === expectedSignature; + this.reader.setIndex(currentIndex); + return result; + }, + /** + * Read the end of the central directory. + */ + readBlockEndOfCentral: function() { + this.diskNumber = this.reader.readInt(2); + this.diskWithCentralDirStart = this.reader.readInt(2); + this.centralDirRecordsOnThisDisk = this.reader.readInt(2); + this.centralDirRecords = this.reader.readInt(2); + this.centralDirSize = this.reader.readInt(4); + this.centralDirOffset = this.reader.readInt(4); + + this.zipCommentLength = this.reader.readInt(2); + // warning : the encoding depends of the system locale + // On a linux machine with LANG=en_US.utf8, this field is utf8 encoded. + // On a windows machine, this field is encoded with the localized windows code page. + var zipComment = this.reader.readData(this.zipCommentLength); + var decodeParamType = support.uint8array ? "uint8array" : "array"; + // To get consistent behavior with the generation part, we will assume that + // this is utf8 encoded unless specified otherwise. + var decodeContent = utils.transformTo(decodeParamType, zipComment); + this.zipComment = this.loadOptions.decodeFileName(decodeContent); + }, + /** + * Read the end of the Zip 64 central directory. + * Not merged with the method readEndOfCentral : + * The end of central can coexist with its Zip64 brother, + * I don't want to read the wrong number of bytes ! + */ + readBlockZip64EndOfCentral: function() { + this.zip64EndOfCentralSize = this.reader.readInt(8); + this.reader.skip(4); + // this.versionMadeBy = this.reader.readString(2); + // this.versionNeeded = this.reader.readInt(2); + this.diskNumber = this.reader.readInt(4); + this.diskWithCentralDirStart = this.reader.readInt(4); + this.centralDirRecordsOnThisDisk = this.reader.readInt(8); + this.centralDirRecords = this.reader.readInt(8); + this.centralDirSize = this.reader.readInt(8); + this.centralDirOffset = this.reader.readInt(8); + + this.zip64ExtensibleData = {}; + var extraDataSize = this.zip64EndOfCentralSize - 44, + index = 0, + extraFieldId, + extraFieldLength, + extraFieldValue; + while (index < extraDataSize) { + extraFieldId = this.reader.readInt(2); + extraFieldLength = this.reader.readInt(4); + extraFieldValue = this.reader.readData(extraFieldLength); + this.zip64ExtensibleData[extraFieldId] = { + id: extraFieldId, + length: extraFieldLength, + value: extraFieldValue + }; + } + }, + /** + * Read the end of the Zip 64 central directory locator. + */ + readBlockZip64EndOfCentralLocator: function() { + this.diskWithZip64CentralDirStart = this.reader.readInt(4); + this.relativeOffsetEndOfZip64CentralDir = this.reader.readInt(8); + this.disksCount = this.reader.readInt(4); + if (this.disksCount > 1) { + throw new Error("Multi-volumes zip are not supported"); + } + }, + /** + * Read the local files, based on the offset read in the central part. + */ + readLocalFiles: function() { + var i, file; + for (i = 0; i < this.files.length; i++) { + file = this.files[i]; + this.reader.setIndex(file.localHeaderOffset); + this.checkSignature(sig.LOCAL_FILE_HEADER); + file.readLocalPart(this.reader); + file.handleUTF8(); + file.processAttributes(); + } + }, + /** + * Read the central directory. + */ + readCentralDir: function() { + var file; + + this.reader.setIndex(this.centralDirOffset); + while (this.reader.readAndCheckSignature(sig.CENTRAL_FILE_HEADER)) { + file = new ZipEntry({ + zip64: this.zip64 + }, this.loadOptions); + file.readCentralPart(this.reader); + this.files.push(file); + } + + if (this.centralDirRecords !== this.files.length) { + if (this.centralDirRecords !== 0 && this.files.length === 0) { + // We expected some records but couldn't find ANY. + // This is really suspicious, as if something went wrong. + throw new Error("Corrupted zip or bug: expected " + this.centralDirRecords + " records in central dir, got " + this.files.length); + } else { + // We found some records but not all. + // Something is wrong but we got something for the user: no error here. + // console.warn("expected", this.centralDirRecords, "records in central dir, got", this.files.length); + } + } + }, + /** + * Read the end of central directory. + */ + readEndOfCentral: function() { + var offset = this.reader.lastIndexOfSignature(sig.CENTRAL_DIRECTORY_END); + if (offset < 0) { + // Check if the content is a truncated zip or complete garbage. + // A "LOCAL_FILE_HEADER" is not required at the beginning (auto + // extractible zip for example) but it can give a good hint. + // If an ajax request was used without responseType, we will also + // get unreadable data. + var isGarbage = !this.isSignature(0, sig.LOCAL_FILE_HEADER); + + if (isGarbage) { + throw new Error("Can't find end of central directory : is this a zip file ? " + + "If it is, see https://stuk.github.io/jszip/documentation/howto/read_zip.html"); + } else { + throw new Error("Corrupted zip: can't find end of central directory"); + } + + } + this.reader.setIndex(offset); + var endOfCentralDirOffset = offset; + this.checkSignature(sig.CENTRAL_DIRECTORY_END); + this.readBlockEndOfCentral(); + + + /* extract from the zip spec : + 4) If one of the fields in the end of central directory + record is too small to hold required data, the field + should be set to -1 (0xFFFF or 0xFFFFFFFF) and the + ZIP64 format record should be created. + 5) The end of central directory record and the + Zip64 end of central directory locator record must + reside on the same disk when splitting or spanning + an archive. + */ + if (this.diskNumber === utils.MAX_VALUE_16BITS || this.diskWithCentralDirStart === utils.MAX_VALUE_16BITS || this.centralDirRecordsOnThisDisk === utils.MAX_VALUE_16BITS || this.centralDirRecords === utils.MAX_VALUE_16BITS || this.centralDirSize === utils.MAX_VALUE_32BITS || this.centralDirOffset === utils.MAX_VALUE_32BITS) { + this.zip64 = true; + + /* + Warning : the zip64 extension is supported, but ONLY if the 64bits integer read from + the zip file can fit into a 32bits integer. This cannot be solved : JavaScript represents + all numbers as 64-bit double precision IEEE 754 floating point numbers. + So, we have 53bits for integers and bitwise operations treat everything as 32bits. + see https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Operators/Bitwise_Operators + and http://www.ecma-international.org/publications/files/ECMA-ST/ECMA-262.pdf section 8.5 + */ + + // should look for a zip64 EOCD locator + offset = this.reader.lastIndexOfSignature(sig.ZIP64_CENTRAL_DIRECTORY_LOCATOR); + if (offset < 0) { + throw new Error("Corrupted zip: can't find the ZIP64 end of central directory locator"); + } + this.reader.setIndex(offset); + this.checkSignature(sig.ZIP64_CENTRAL_DIRECTORY_LOCATOR); + this.readBlockZip64EndOfCentralLocator(); + + // now the zip64 EOCD record + if (!this.isSignature(this.relativeOffsetEndOfZip64CentralDir, sig.ZIP64_CENTRAL_DIRECTORY_END)) { + // console.warn("ZIP64 end of central directory not where expected."); + this.relativeOffsetEndOfZip64CentralDir = this.reader.lastIndexOfSignature(sig.ZIP64_CENTRAL_DIRECTORY_END); + if (this.relativeOffsetEndOfZip64CentralDir < 0) { + throw new Error("Corrupted zip: can't find the ZIP64 end of central directory"); + } + } + this.reader.setIndex(this.relativeOffsetEndOfZip64CentralDir); + this.checkSignature(sig.ZIP64_CENTRAL_DIRECTORY_END); + this.readBlockZip64EndOfCentral(); + } + + var expectedEndOfCentralDirOffset = this.centralDirOffset + this.centralDirSize; + if (this.zip64) { + expectedEndOfCentralDirOffset += 20; // end of central dir 64 locator + expectedEndOfCentralDirOffset += 12 /* should not include the leading 12 bytes */ + this.zip64EndOfCentralSize; + } + + var extraBytes = endOfCentralDirOffset - expectedEndOfCentralDirOffset; + + if (extraBytes > 0) { + // console.warn(extraBytes, "extra bytes at beginning or within zipfile"); + if (this.isSignature(endOfCentralDirOffset, sig.CENTRAL_FILE_HEADER)) { + // The offsets seem wrong, but we have something at the specified offset. + // So… we keep it. + } else { + // the offset is wrong, update the "zero" of the reader + // this happens if data has been prepended (crx files for example) + this.reader.zero = extraBytes; + } + } else if (extraBytes < 0) { + throw new Error("Corrupted zip: missing " + Math.abs(extraBytes) + " bytes."); + } + }, + prepareReader: function(data) { + this.reader = readerFor(data); + }, + /** + * Read a zip file and create ZipEntries. + * @param {String|ArrayBuffer|Uint8Array|Buffer} data the binary string representing a zip file. + */ + load: function(data) { + this.prepareReader(data); + this.readEndOfCentral(); + this.readCentralDir(); + this.readLocalFiles(); + } +}; +// }}} end of ZipEntries +module.exports = ZipEntries; + +},{"./reader/readerFor":22,"./signature":23,"./support":30,"./utf8":31,"./utils":32,"./zipEntry":34}],34:[function(require,module,exports){ +'use strict'; +var readerFor = require('./reader/readerFor'); +var utils = require('./utils'); +var CompressedObject = require('./compressedObject'); +var crc32fn = require('./crc32'); +var utf8 = require('./utf8'); +var compressions = require('./compressions'); +var support = require('./support'); + +var MADE_BY_DOS = 0x00; +var MADE_BY_UNIX = 0x03; + +/** + * Find a compression registered in JSZip. + * @param {string} compressionMethod the method magic to find. + * @return {Object|null} the JSZip compression object, null if none found. + */ +var findCompression = function(compressionMethod) { + for (var method in compressions) { + if (!compressions.hasOwnProperty(method)) { + continue; + } + if (compressions[method].magic === compressionMethod) { + return compressions[method]; + } + } + return null; +}; + +// class ZipEntry {{{ +/** + * An entry in the zip file. + * @constructor + * @param {Object} options Options of the current file. + * @param {Object} loadOptions Options for loading the stream. + */ +function ZipEntry(options, loadOptions) { + this.options = options; + this.loadOptions = loadOptions; +} +ZipEntry.prototype = { + /** + * say if the file is encrypted. + * @return {boolean} true if the file is encrypted, false otherwise. + */ + isEncrypted: function() { + // bit 1 is set + return (this.bitFlag & 0x0001) === 0x0001; + }, + /** + * say if the file has utf-8 filename/comment. + * @return {boolean} true if the filename/comment is in utf-8, false otherwise. + */ + useUTF8: function() { + // bit 11 is set + return (this.bitFlag & 0x0800) === 0x0800; + }, + /** + * Read the local part of a zip file and add the info in this object. + * @param {DataReader} reader the reader to use. + */ + readLocalPart: function(reader) { + var compression, localExtraFieldsLength; + + // we already know everything from the central dir ! + // If the central dir data are false, we are doomed. + // On the bright side, the local part is scary : zip64, data descriptors, both, etc. + // The less data we get here, the more reliable this should be. + // Let's skip the whole header and dash to the data ! + reader.skip(22); + // in some zip created on windows, the filename stored in the central dir contains \ instead of /. + // Strangely, the filename here is OK. + // I would love to treat these zip files as corrupted (see http://www.info-zip.org/FAQ.html#backslashes + // or APPNOTE#4.4.17.1, "All slashes MUST be forward slashes '/'") but there are a lot of bad zip generators... + // Search "unzip mismatching "local" filename continuing with "central" filename version" on + // the internet. + // + // I think I see the logic here : the central directory is used to display + // content and the local directory is used to extract the files. Mixing / and \ + // may be used to display \ to windows users and use / when extracting the files. + // Unfortunately, this lead also to some issues : http://seclists.org/fulldisclosure/2009/Sep/394 + this.fileNameLength = reader.readInt(2); + localExtraFieldsLength = reader.readInt(2); // can't be sure this will be the same as the central dir + // the fileName is stored as binary data, the handleUTF8 method will take care of the encoding. + this.fileName = reader.readData(this.fileNameLength); + reader.skip(localExtraFieldsLength); + + if (this.compressedSize === -1 || this.uncompressedSize === -1) { + throw new Error("Bug or corrupted zip : didn't get enough informations from the central directory " + "(compressedSize === -1 || uncompressedSize === -1)"); + } + + compression = findCompression(this.compressionMethod); + if (compression === null) { // no compression found + throw new Error("Corrupted zip : compression " + utils.pretty(this.compressionMethod) + " unknown (inner file : " + utils.transformTo("string", this.fileName) + ")"); + } + this.decompressed = new CompressedObject(this.compressedSize, this.uncompressedSize, this.crc32, compression, reader.readData(this.compressedSize)); + }, + + /** + * Read the central part of a zip file and add the info in this object. + * @param {DataReader} reader the reader to use. + */ + readCentralPart: function(reader) { + this.versionMadeBy = reader.readInt(2); + reader.skip(2); + // this.versionNeeded = reader.readInt(2); + this.bitFlag = reader.readInt(2); + this.compressionMethod = reader.readString(2); + this.date = reader.readDate(); + this.crc32 = reader.readInt(4); + this.compressedSize = reader.readInt(4); + this.uncompressedSize = reader.readInt(4); + var fileNameLength = reader.readInt(2); + this.extraFieldsLength = reader.readInt(2); + this.fileCommentLength = reader.readInt(2); + this.diskNumberStart = reader.readInt(2); + this.internalFileAttributes = reader.readInt(2); + this.externalFileAttributes = reader.readInt(4); + this.localHeaderOffset = reader.readInt(4); + + if (this.isEncrypted()) { + throw new Error("Encrypted zip are not supported"); + } + + // will be read in the local part, see the comments there + reader.skip(fileNameLength); + this.readExtraFields(reader); + this.parseZIP64ExtraField(reader); + this.fileComment = reader.readData(this.fileCommentLength); + }, + + /** + * Parse the external file attributes and get the unix/dos permissions. + */ + processAttributes: function () { + this.unixPermissions = null; + this.dosPermissions = null; + var madeBy = this.versionMadeBy >> 8; + + // Check if we have the DOS directory flag set. + // We look for it in the DOS and UNIX permissions + // but some unknown platform could set it as a compatibility flag. + this.dir = this.externalFileAttributes & 0x0010 ? true : false; + + if(madeBy === MADE_BY_DOS) { + // first 6 bits (0 to 5) + this.dosPermissions = this.externalFileAttributes & 0x3F; + } + + if(madeBy === MADE_BY_UNIX) { + this.unixPermissions = (this.externalFileAttributes >> 16) & 0xFFFF; + // the octal permissions are in (this.unixPermissions & 0x01FF).toString(8); + } + + // fail safe : if the name ends with a / it probably means a folder + if (!this.dir && this.fileNameStr.slice(-1) === '/') { + this.dir = true; + } + }, + + /** + * Parse the ZIP64 extra field and merge the info in the current ZipEntry. + * @param {DataReader} reader the reader to use. + */ + parseZIP64ExtraField: function(reader) { + + if (!this.extraFields[0x0001]) { + return; + } + + // should be something, preparing the extra reader + var extraReader = readerFor(this.extraFields[0x0001].value); + + // I really hope that these 64bits integer can fit in 32 bits integer, because js + // won't let us have more. + if (this.uncompressedSize === utils.MAX_VALUE_32BITS) { + this.uncompressedSize = extraReader.readInt(8); + } + if (this.compressedSize === utils.MAX_VALUE_32BITS) { + this.compressedSize = extraReader.readInt(8); + } + if (this.localHeaderOffset === utils.MAX_VALUE_32BITS) { + this.localHeaderOffset = extraReader.readInt(8); + } + if (this.diskNumberStart === utils.MAX_VALUE_32BITS) { + this.diskNumberStart = extraReader.readInt(4); + } + }, + /** + * Read the central part of a zip file and add the info in this object. + * @param {DataReader} reader the reader to use. + */ + readExtraFields: function(reader) { + var end = reader.index + this.extraFieldsLength, + extraFieldId, + extraFieldLength, + extraFieldValue; + + if (!this.extraFields) { + this.extraFields = {}; + } + + while (reader.index < end) { + extraFieldId = reader.readInt(2); + extraFieldLength = reader.readInt(2); + extraFieldValue = reader.readData(extraFieldLength); + + this.extraFields[extraFieldId] = { + id: extraFieldId, + length: extraFieldLength, + value: extraFieldValue + }; + } + }, + /** + * Apply an UTF8 transformation if needed. + */ + handleUTF8: function() { + var decodeParamType = support.uint8array ? "uint8array" : "array"; + if (this.useUTF8()) { + this.fileNameStr = utf8.utf8decode(this.fileName); + this.fileCommentStr = utf8.utf8decode(this.fileComment); + } else { + var upath = this.findExtraFieldUnicodePath(); + if (upath !== null) { + this.fileNameStr = upath; + } else { + // ASCII text or unsupported code page + var fileNameByteArray = utils.transformTo(decodeParamType, this.fileName); + this.fileNameStr = this.loadOptions.decodeFileName(fileNameByteArray); + } + + var ucomment = this.findExtraFieldUnicodeComment(); + if (ucomment !== null) { + this.fileCommentStr = ucomment; + } else { + // ASCII text or unsupported code page + var commentByteArray = utils.transformTo(decodeParamType, this.fileComment); + this.fileCommentStr = this.loadOptions.decodeFileName(commentByteArray); + } + } + }, + + /** + * Find the unicode path declared in the extra field, if any. + * @return {String} the unicode path, null otherwise. + */ + findExtraFieldUnicodePath: function() { + var upathField = this.extraFields[0x7075]; + if (upathField) { + var extraReader = readerFor(upathField.value); + + // wrong version + if (extraReader.readInt(1) !== 1) { + return null; + } + + // the crc of the filename changed, this field is out of date. + if (crc32fn(this.fileName) !== extraReader.readInt(4)) { + return null; + } + + return utf8.utf8decode(extraReader.readData(upathField.length - 5)); + } + return null; + }, + + /** + * Find the unicode comment declared in the extra field, if any. + * @return {String} the unicode comment, null otherwise. + */ + findExtraFieldUnicodeComment: function() { + var ucommentField = this.extraFields[0x6375]; + if (ucommentField) { + var extraReader = readerFor(ucommentField.value); + + // wrong version + if (extraReader.readInt(1) !== 1) { + return null; + } + + // the crc of the comment changed, this field is out of date. + if (crc32fn(this.fileComment) !== extraReader.readInt(4)) { + return null; + } + + return utf8.utf8decode(extraReader.readData(ucommentField.length - 5)); + } + return null; + } +}; +module.exports = ZipEntry; + +},{"./compressedObject":2,"./compressions":3,"./crc32":4,"./reader/readerFor":22,"./support":30,"./utf8":31,"./utils":32}],35:[function(require,module,exports){ +'use strict'; + +var StreamHelper = require('./stream/StreamHelper'); +var DataWorker = require('./stream/DataWorker'); +var utf8 = require('./utf8'); +var CompressedObject = require('./compressedObject'); +var GenericWorker = require('./stream/GenericWorker'); + +/** + * A simple object representing a file in the zip file. + * @constructor + * @param {string} name the name of the file + * @param {String|ArrayBuffer|Uint8Array|Buffer} data the data + * @param {Object} options the options of the file + */ +var ZipObject = function(name, data, options) { + this.name = name; + this.dir = options.dir; + this.date = options.date; + this.comment = options.comment; + this.unixPermissions = options.unixPermissions; + this.dosPermissions = options.dosPermissions; + + this._data = data; + this._dataBinary = options.binary; + // keep only the compression + this.options = { + compression : options.compression, + compressionOptions : options.compressionOptions + }; +}; + +ZipObject.prototype = { + /** + * Create an internal stream for the content of this object. + * @param {String} type the type of each chunk. + * @return StreamHelper the stream. + */ + internalStream: function (type) { + var result = null, outputType = "string"; + try { + if (!type) { + throw new Error("No output type specified."); + } + outputType = type.toLowerCase(); + var askUnicodeString = outputType === "string" || outputType === "text"; + if (outputType === "binarystring" || outputType === "text") { + outputType = "string"; + } + result = this._decompressWorker(); + + var isUnicodeString = !this._dataBinary; + + if (isUnicodeString && !askUnicodeString) { + result = result.pipe(new utf8.Utf8EncodeWorker()); + } + if (!isUnicodeString && askUnicodeString) { + result = result.pipe(new utf8.Utf8DecodeWorker()); + } + } catch (e) { + result = new GenericWorker("error"); + result.error(e); + } + + return new StreamHelper(result, outputType, ""); + }, + + /** + * Prepare the content in the asked type. + * @param {String} type the type of the result. + * @param {Function} onUpdate a function to call on each internal update. + * @return Promise the promise of the result. + */ + async: function (type, onUpdate) { + return this.internalStream(type).accumulate(onUpdate); + }, + + /** + * Prepare the content as a nodejs stream. + * @param {String} type the type of each chunk. + * @param {Function} onUpdate a function to call on each internal update. + * @return Stream the stream. + */ + nodeStream: function (type, onUpdate) { + return this.internalStream(type || "nodebuffer").toNodejsStream(onUpdate); + }, + + /** + * Return a worker for the compressed content. + * @private + * @param {Object} compression the compression object to use. + * @param {Object} compressionOptions the options to use when compressing. + * @return Worker the worker. + */ + _compressWorker: function (compression, compressionOptions) { + if ( + this._data instanceof CompressedObject && + this._data.compression.magic === compression.magic + ) { + return this._data.getCompressedWorker(); + } else { + var result = this._decompressWorker(); + if(!this._dataBinary) { + result = result.pipe(new utf8.Utf8EncodeWorker()); + } + return CompressedObject.createWorkerFrom(result, compression, compressionOptions); + } + }, + /** + * Return a worker for the decompressed content. + * @private + * @return Worker the worker. + */ + _decompressWorker : function () { + if (this._data instanceof CompressedObject) { + return this._data.getContentWorker(); + } else if (this._data instanceof GenericWorker) { + return this._data; + } else { + return new DataWorker(this._data); + } + } +}; + +var removedMethods = ["asText", "asBinary", "asNodeBuffer", "asUint8Array", "asArrayBuffer"]; +var removedFn = function () { + throw new Error("This method has been removed in JSZip 3.0, please check the upgrade guide."); +}; + +for(var i = 0; i < removedMethods.length; i++) { + ZipObject.prototype[removedMethods[i]] = removedFn; +} +module.exports = ZipObject; + +},{"./compressedObject":2,"./stream/DataWorker":27,"./stream/GenericWorker":28,"./stream/StreamHelper":29,"./utf8":31}],36:[function(require,module,exports){ +require('../modules/web.immediate'); +module.exports = require('../modules/_core').setImmediate; +},{"../modules/_core":40,"../modules/web.immediate":56}],37:[function(require,module,exports){ +module.exports = function(it){ + if(typeof it != 'function')throw TypeError(it + ' is not a function!'); + return it; +}; +},{}],38:[function(require,module,exports){ +var isObject = require('./_is-object'); +module.exports = function(it){ + if(!isObject(it))throw TypeError(it + ' is not an object!'); + return it; +}; +},{"./_is-object":51}],39:[function(require,module,exports){ +var toString = {}.toString; + +module.exports = function(it){ + return toString.call(it).slice(8, -1); +}; +},{}],40:[function(require,module,exports){ +var core = module.exports = {version: '2.3.0'}; +if(typeof __e == 'number')__e = core; // eslint-disable-line no-undef +},{}],41:[function(require,module,exports){ +// optional / simple context binding +var aFunction = require('./_a-function'); +module.exports = function(fn, that, length){ + aFunction(fn); + if(that === undefined)return fn; + switch(length){ + case 1: return function(a){ + return fn.call(that, a); + }; + case 2: return function(a, b){ + return fn.call(that, a, b); + }; + case 3: return function(a, b, c){ + return fn.call(that, a, b, c); + }; + } + return function(/* ...args */){ + return fn.apply(that, arguments); + }; +}; +},{"./_a-function":37}],42:[function(require,module,exports){ +// Thank's IE8 for his funny defineProperty +module.exports = !require('./_fails')(function(){ + return Object.defineProperty({}, 'a', {get: function(){ return 7; }}).a != 7; +}); +},{"./_fails":45}],43:[function(require,module,exports){ +var isObject = require('./_is-object') + , document = require('./_global').document + // in old IE typeof document.createElement is 'object' + , is = isObject(document) && isObject(document.createElement); +module.exports = function(it){ + return is ? document.createElement(it) : {}; +}; +},{"./_global":46,"./_is-object":51}],44:[function(require,module,exports){ +var global = require('./_global') + , core = require('./_core') + , ctx = require('./_ctx') + , hide = require('./_hide') + , PROTOTYPE = 'prototype'; + +var $export = function(type, name, source){ + var IS_FORCED = type & $export.F + , IS_GLOBAL = type & $export.G + , IS_STATIC = type & $export.S + , IS_PROTO = type & $export.P + , IS_BIND = type & $export.B + , IS_WRAP = type & $export.W + , exports = IS_GLOBAL ? core : core[name] || (core[name] = {}) + , expProto = exports[PROTOTYPE] + , target = IS_GLOBAL ? global : IS_STATIC ? global[name] : (global[name] || {})[PROTOTYPE] + , key, own, out; + if(IS_GLOBAL)source = name; + for(key in source){ + // contains in native + own = !IS_FORCED && target && target[key] !== undefined; + if(own && key in exports)continue; + // export native or passed + out = own ? target[key] : source[key]; + // prevent global pollution for namespaces + exports[key] = IS_GLOBAL && typeof target[key] != 'function' ? source[key] + // bind timers to global for call from export context + : IS_BIND && own ? ctx(out, global) + // wrap global constructors for prevent change them in library + : IS_WRAP && target[key] == out ? (function(C){ + var F = function(a, b, c){ + if(this instanceof C){ + switch(arguments.length){ + case 0: return new C; + case 1: return new C(a); + case 2: return new C(a, b); + } return new C(a, b, c); + } return C.apply(this, arguments); + }; + F[PROTOTYPE] = C[PROTOTYPE]; + return F; + // make static versions for prototype methods + })(out) : IS_PROTO && typeof out == 'function' ? ctx(Function.call, out) : out; + // export proto methods to core.%CONSTRUCTOR%.methods.%NAME% + if(IS_PROTO){ + (exports.virtual || (exports.virtual = {}))[key] = out; + // export proto methods to core.%CONSTRUCTOR%.prototype.%NAME% + if(type & $export.R && expProto && !expProto[key])hide(expProto, key, out); + } + } +}; +// type bitmap +$export.F = 1; // forced +$export.G = 2; // global +$export.S = 4; // static +$export.P = 8; // proto +$export.B = 16; // bind +$export.W = 32; // wrap +$export.U = 64; // safe +$export.R = 128; // real proto method for `library` +module.exports = $export; +},{"./_core":40,"./_ctx":41,"./_global":46,"./_hide":47}],45:[function(require,module,exports){ +module.exports = function(exec){ + try { + return !!exec(); + } catch(e){ + return true; + } +}; +},{}],46:[function(require,module,exports){ +// https://github.com/zloirock/core-js/issues/86#issuecomment-115759028 +var global = module.exports = typeof window != 'undefined' && window.Math == Math + ? window : typeof self != 'undefined' && self.Math == Math ? self : Function('return this')(); +if(typeof __g == 'number')__g = global; // eslint-disable-line no-undef +},{}],47:[function(require,module,exports){ +var dP = require('./_object-dp') + , createDesc = require('./_property-desc'); +module.exports = require('./_descriptors') ? function(object, key, value){ + return dP.f(object, key, createDesc(1, value)); +} : function(object, key, value){ + object[key] = value; + return object; +}; +},{"./_descriptors":42,"./_object-dp":52,"./_property-desc":53}],48:[function(require,module,exports){ +module.exports = require('./_global').document && document.documentElement; +},{"./_global":46}],49:[function(require,module,exports){ +module.exports = !require('./_descriptors') && !require('./_fails')(function(){ + return Object.defineProperty(require('./_dom-create')('div'), 'a', {get: function(){ return 7; }}).a != 7; +}); +},{"./_descriptors":42,"./_dom-create":43,"./_fails":45}],50:[function(require,module,exports){ +// fast apply, http://jsperf.lnkit.com/fast-apply/5 +module.exports = function(fn, args, that){ + var un = that === undefined; + switch(args.length){ + case 0: return un ? fn() + : fn.call(that); + case 1: return un ? fn(args[0]) + : fn.call(that, args[0]); + case 2: return un ? fn(args[0], args[1]) + : fn.call(that, args[0], args[1]); + case 3: return un ? fn(args[0], args[1], args[2]) + : fn.call(that, args[0], args[1], args[2]); + case 4: return un ? fn(args[0], args[1], args[2], args[3]) + : fn.call(that, args[0], args[1], args[2], args[3]); + } return fn.apply(that, args); +}; +},{}],51:[function(require,module,exports){ +module.exports = function(it){ + return typeof it === 'object' ? it !== null : typeof it === 'function'; +}; +},{}],52:[function(require,module,exports){ +var anObject = require('./_an-object') + , IE8_DOM_DEFINE = require('./_ie8-dom-define') + , toPrimitive = require('./_to-primitive') + , dP = Object.defineProperty; + +exports.f = require('./_descriptors') ? Object.defineProperty : function defineProperty(O, P, Attributes){ + anObject(O); + P = toPrimitive(P, true); + anObject(Attributes); + if(IE8_DOM_DEFINE)try { + return dP(O, P, Attributes); + } catch(e){ /* empty */ } + if('get' in Attributes || 'set' in Attributes)throw TypeError('Accessors not supported!'); + if('value' in Attributes)O[P] = Attributes.value; + return O; +}; +},{"./_an-object":38,"./_descriptors":42,"./_ie8-dom-define":49,"./_to-primitive":55}],53:[function(require,module,exports){ +module.exports = function(bitmap, value){ + return { + enumerable : !(bitmap & 1), + configurable: !(bitmap & 2), + writable : !(bitmap & 4), + value : value + }; +}; +},{}],54:[function(require,module,exports){ +var ctx = require('./_ctx') + , invoke = require('./_invoke') + , html = require('./_html') + , cel = require('./_dom-create') + , global = require('./_global') + , process = global.process + , setTask = global.setImmediate + , clearTask = global.clearImmediate + , MessageChannel = global.MessageChannel + , counter = 0 + , queue = {} + , ONREADYSTATECHANGE = 'onreadystatechange' + , defer, channel, port; +var run = function(){ + var id = +this; + if(queue.hasOwnProperty(id)){ + var fn = queue[id]; + delete queue[id]; + fn(); + } +}; +var listener = function(event){ + run.call(event.data); +}; +// Node.js 0.9+ & IE10+ has setImmediate, otherwise: +if(!setTask || !clearTask){ + setTask = function setImmediate(fn){ + var args = [], i = 1; + while(arguments.length > i)args.push(arguments[i++]); + queue[++counter] = function(){ + invoke(typeof fn == 'function' ? fn : Function(fn), args); + }; + defer(counter); + return counter; + }; + clearTask = function clearImmediate(id){ + delete queue[id]; + }; + // Node.js 0.8- + if(require('./_cof')(process) == 'process'){ + defer = function(id){ + process.nextTick(ctx(run, id, 1)); + }; + // Browsers with MessageChannel, includes WebWorkers + } else if(MessageChannel){ + channel = new MessageChannel; + port = channel.port2; + channel.port1.onmessage = listener; + defer = ctx(port.postMessage, port, 1); + // Browsers with postMessage, skip WebWorkers + // IE8 has postMessage, but it's sync & typeof its postMessage is 'object' + } else if(global.addEventListener && typeof postMessage == 'function' && !global.importScripts){ + defer = function(id){ + global.postMessage(id + '', '*'); + }; + global.addEventListener('message', listener, false); + // IE8- + } else if(ONREADYSTATECHANGE in cel('script')){ + defer = function(id){ + html.appendChild(cel('script'))[ONREADYSTATECHANGE] = function(){ + html.removeChild(this); + run.call(id); + }; + }; + // Rest old browsers + } else { + defer = function(id){ + setTimeout(ctx(run, id, 1), 0); + }; + } +} +module.exports = { + set: setTask, + clear: clearTask +}; +},{"./_cof":39,"./_ctx":41,"./_dom-create":43,"./_global":46,"./_html":48,"./_invoke":50}],55:[function(require,module,exports){ +// 7.1.1 ToPrimitive(input [, PreferredType]) +var isObject = require('./_is-object'); +// instead of the ES6 spec version, we didn't implement @@toPrimitive case +// and the second argument - flag - preferred type is a string +module.exports = function(it, S){ + if(!isObject(it))return it; + var fn, val; + if(S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it)))return val; + if(typeof (fn = it.valueOf) == 'function' && !isObject(val = fn.call(it)))return val; + if(!S && typeof (fn = it.toString) == 'function' && !isObject(val = fn.call(it)))return val; + throw TypeError("Can't convert object to primitive value"); +}; +},{"./_is-object":51}],56:[function(require,module,exports){ +var $export = require('./_export') + , $task = require('./_task'); +$export($export.G + $export.B, { + setImmediate: $task.set, + clearImmediate: $task.clear +}); +},{"./_export":44,"./_task":54}],57:[function(require,module,exports){ +(function (global){ +'use strict'; +var Mutation = global.MutationObserver || global.WebKitMutationObserver; + +var scheduleDrain; + +{ + if (Mutation) { + var called = 0; + var observer = new Mutation(nextTick); + var element = global.document.createTextNode(''); + observer.observe(element, { + characterData: true + }); + scheduleDrain = function () { + element.data = (called = ++called % 2); + }; + } else if (!global.setImmediate && typeof global.MessageChannel !== 'undefined') { + var channel = new global.MessageChannel(); + channel.port1.onmessage = nextTick; + scheduleDrain = function () { + channel.port2.postMessage(0); + }; + } else if ('document' in global && 'onreadystatechange' in global.document.createElement('script')) { + scheduleDrain = function () { + + // Create a + + - - +
    - -
    - - - - - - - -
    - - -
    -

    rmlmapper 4.5.0 API

    -
    -
    - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
    Packages 
    PackageDescription
    be.ugent.rml 
    be.ugent.rml.access 
    be.ugent.rml.cli 
    be.ugent.rml.extractor 
    be.ugent.rml.functions 
    be.ugent.rml.functions.lib 
    be.ugent.rml.metadata 
    be.ugent.rml.records 
    be.ugent.rml.store 
    be.ugent.rml.term 
    be.ugent.rml.termgenerator 
    -
    - -
    - - - - - - - -
    - - -

    Copyright © 2019. All rights reserved.

    +

    index.html

    +
    diff --git a/docs/apidocs/overview-tree.html b/docs/apidocs/overview-tree.html index ccd9fc8b..05e07ae8 100644 --- a/docs/apidocs/overview-tree.html +++ b/docs/apidocs/overview-tree.html @@ -1,38 +1,52 @@ - + - + +Class Hierarchy (rmlmapper 4.6.0 API) -Class Hierarchy (rmlmapper 4.5.0 API) - + + + + + + + + +var pathtoroot = "./"; +var useModuleDirectories = true; +loadScripts(document, 'script'); +
    + +
    +

    Hierarchy For All Packages

    Package Hierarchies: @@ -77,6 +84,7 @@

    Hierarchy For All Packages

  • be.ugent.rml,
  • be.ugent.rml.access,
  • be.ugent.rml.cli,
  • +
  • be.ugent.rml.conformer,
  • be.ugent.rml.extractor,
  • be.ugent.rml.functions,
  • be.ugent.rml.functions.lib,
  • @@ -88,130 +96,141 @@

    Hierarchy For All Packages

    +

    Class Hierarchy

    +
    +

    Interface Hierarchy

    +
  • be.ugent.rml.access.Access
  • +
  • be.ugent.rml.extractor.Extractor
  • +
  • be.ugent.rml.functions.MultipleRecordsFunctionExecutor
  • +
  • be.ugent.rml.records.ReferenceFormulationRecordFactory
  • +
  • be.ugent.rml.functions.SingleRecordFunctionExecutor
  • +
  • be.ugent.rml.term.Term
  • + +
    +

    Enum Hierarchy

    +
    +
    +
    + +

    Copyright © 2020. All rights reserved.

    +
    diff --git a/docs/apidocs/package-search-index.js b/docs/apidocs/package-search-index.js new file mode 100644 index 00000000..29f2823c --- /dev/null +++ b/docs/apidocs/package-search-index.js @@ -0,0 +1 @@ +packageSearchIndex = [{"l":"All Packages","url":"allpackages-index.html"},{"l":"be.ugent.rml"},{"l":"be.ugent.rml.access"},{"l":"be.ugent.rml.cli"},{"l":"be.ugent.rml.conformer"},{"l":"be.ugent.rml.extractor"},{"l":"be.ugent.rml.functions"},{"l":"be.ugent.rml.functions.lib"},{"l":"be.ugent.rml.metadata"},{"l":"be.ugent.rml.records"},{"l":"be.ugent.rml.store"},{"l":"be.ugent.rml.term"},{"l":"be.ugent.rml.termgenerator"}] \ No newline at end of file diff --git a/docs/apidocs/package-search-index.zip b/docs/apidocs/package-search-index.zip new file mode 100644 index 0000000000000000000000000000000000000000..3dd245c54287daecf9749ab48e8a092387655c30 GIT binary patch literal 302 zcmWIWW@Zs#;Nak3_|a?-z<>lKf$W0BR3-ORj{)C#?<;{3eQ^VWQa z40zZctX4R$%AW9;?M=tQ(z`+rRZbKx@#@$eESJ=E{LlP&OM8b04DJ)}a=vWi4wqQ) z(%NO>Z~fcHZ9Yn^o5nKl@b>g47sSqqUEyRFDqLHu+{rh^M%;Hz?X#;QC%X<8pHA7B zlKy&r^O245lWr6^9p0xEeDUPWxb2&F_#c~9b5m~3kDphbvIcmwb4=u5Ea?I|cM>B5 kLx49UlL!OCOUQB{FQEdQ9t`kiWdkW?1VVQpeG#k=0L1uZr2qf` literal 0 HcmV?d00001 diff --git a/docs/apidocs/packages b/docs/apidocs/packages new file mode 100644 index 00000000..3d6582e8 --- /dev/null +++ b/docs/apidocs/packages @@ -0,0 +1,78 @@ +be.ugent.rml +be.ugent.rml.conformer +be.ugent.rml.conformer +be.ugent.rml.conformer +be.ugent.rml.cli +be.ugent.rml +be.ugent.rml.extractor +be.ugent.rml.extractor +be.ugent.rml.extractor +be.ugent.rml +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml.access +be.ugent.rml +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.records +be.ugent.rml.termgenerator +be.ugent.rml.termgenerator +be.ugent.rml.termgenerator +be.ugent.rml.termgenerator +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions.lib +be.ugent.rml.functions.lib +be.ugent.rml.functions.lib +be.ugent.rml.functions.lib +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml.functions +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml.term +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml +be.ugent.rml.store +be.ugent.rml.store +be.ugent.rml.store +be.ugent.rml.store +be.ugent.rml.store +be.ugent.rml.metadata +be.ugent.rml.metadata +be.ugent.rml.metadata +be.ugent.rml \ No newline at end of file diff --git a/docs/apidocs/resources/glass.png b/docs/apidocs/resources/glass.png new file mode 100644 index 0000000000000000000000000000000000000000..a7f591f467a1c0c949bbc510156a0c1afb860a6e GIT binary patch literal 499 zcmVJoRsvExf%rEN>jUL}qZ_~k#FbE+Q;{`;0FZwVNX2n-^JoI; zP;4#$8DIy*Yk-P>VN(DUKmPse7mx+ExD4O|;?E5D0Z5($mjO3`*anwQU^s{ZDK#Lz zj>~{qyaIx5K!t%=G&2IJNzg!ChRpyLkO7}Ry!QaotAHAMpbB3AF(}|_f!G-oI|uK6 z`id_dumai5K%C3Y$;tKS_iqMPHg<*|-@e`liWLAggVM!zAP#@l;=c>S03;{#04Z~5 zN_+ss=Yg6*hTr59mzMwZ@+l~q!+?ft!fF66AXT#wWavHt30bZWFCK%!BNk}LN?0Hg z1VF_nfs`Lm^DjYZ1(1uD0u4CSIr)XAaqW6IT{!St5~1{i=i}zAy76p%_|w8rh@@c0Axr!ns=D-X+|*sY6!@wacG9%)Qn*O zl0sa739kT-&_?#oVxXF6tOnqTD)cZ}2vi$`ZU8RLAlo8=_z#*P3xI~i!lEh+Pdu-L zx{d*wgjtXbnGX_Yf@Tc7Q3YhLhPvc8noGJs2DA~1DySiA&6V{5JzFt ojAY1KXm~va;tU{v7C?Xj0BHw!K;2aXV*mgE07*qoM6N<$f;4TDA^-pY literal 0 HcmV?d00001 diff --git a/docs/apidocs/script.js b/docs/apidocs/script.js index b3463569..57133ad5 100644 --- a/docs/apidocs/script.js +++ b/docs/apidocs/script.js @@ -1,9 +1,124 @@ -function show(type) -{ +/* + * Copyright (c) 2013, 2018, Oracle and/or its affiliates. All rights reserved. + * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. + * + * This code is free software; you can redistribute it and/or modify it + * under the terms of the GNU General Public License version 2 only, as + * published by the Free Software Foundation. Oracle designates this + * particular file as subject to the "Classpath" exception as provided + * by Oracle in the LICENSE file that accompanied this code. + * + * This code is distributed in the hope that it will be useful, but WITHOUT + * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or + * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License + * version 2 for more details (a copy is included in the LICENSE file that + * accompanied this code). + * + * You should have received a copy of the GNU General Public License version + * 2 along with this work; if not, write to the Free Software Foundation, + * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. + * + * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA + * or visit www.oracle.com if you need additional information or have any + * questions. + */ + +var moduleSearchIndex; +var packageSearchIndex; +var typeSearchIndex; +var memberSearchIndex; +var tagSearchIndex; +function loadScripts(doc, tag) { + createElem(doc, tag, 'jquery/jszip/dist/jszip.js'); + createElem(doc, tag, 'jquery/jszip-utils/dist/jszip-utils.js'); + if (window.navigator.userAgent.indexOf('MSIE ') > 0 || window.navigator.userAgent.indexOf('Trident/') > 0 || + window.navigator.userAgent.indexOf('Edge/') > 0) { + createElem(doc, tag, 'jquery/jszip-utils/dist/jszip-utils-ie.js'); + } + createElem(doc, tag, 'search.js'); + + $.get(pathtoroot + "module-search-index.zip") + .done(function() { + JSZipUtils.getBinaryContent(pathtoroot + "module-search-index.zip", function(e, data) { + JSZip.loadAsync(data).then(function(zip){ + zip.file("module-search-index.json").async("text").then(function(content){ + moduleSearchIndex = JSON.parse(content); + }); + }); + }); + }); + $.get(pathtoroot + "package-search-index.zip") + .done(function() { + JSZipUtils.getBinaryContent(pathtoroot + "package-search-index.zip", function(e, data) { + JSZip.loadAsync(data).then(function(zip){ + zip.file("package-search-index.json").async("text").then(function(content){ + packageSearchIndex = JSON.parse(content); + }); + }); + }); + }); + $.get(pathtoroot + "type-search-index.zip") + .done(function() { + JSZipUtils.getBinaryContent(pathtoroot + "type-search-index.zip", function(e, data) { + JSZip.loadAsync(data).then(function(zip){ + zip.file("type-search-index.json").async("text").then(function(content){ + typeSearchIndex = JSON.parse(content); + }); + }); + }); + }); + $.get(pathtoroot + "member-search-index.zip") + .done(function() { + JSZipUtils.getBinaryContent(pathtoroot + "member-search-index.zip", function(e, data) { + JSZip.loadAsync(data).then(function(zip){ + zip.file("member-search-index.json").async("text").then(function(content){ + memberSearchIndex = JSON.parse(content); + }); + }); + }); + }); + $.get(pathtoroot + "tag-search-index.zip") + .done(function() { + JSZipUtils.getBinaryContent(pathtoroot + "tag-search-index.zip", function(e, data) { + JSZip.loadAsync(data).then(function(zip){ + zip.file("tag-search-index.json").async("text").then(function(content){ + tagSearchIndex = JSON.parse(content); + }); + }); + }); + }); + if (!moduleSearchIndex) { + createElem(doc, tag, 'module-search-index.js'); + } + if (!packageSearchIndex) { + createElem(doc, tag, 'package-search-index.js'); + } + if (!typeSearchIndex) { + createElem(doc, tag, 'type-search-index.js'); + } + if (!memberSearchIndex) { + createElem(doc, tag, 'member-search-index.js'); + } + if (!tagSearchIndex) { + createElem(doc, tag, 'tag-search-index.js'); + } + $(window).resize(function() { + $('.navPadding').css('padding-top', $('.fixedNav').css("height")); + }); +} + +function createElem(doc, tag, path) { + var script = doc.createElement(tag); + var scriptElement = doc.getElementsByTagName(tag)[0]; + script.src = pathtoroot + path; + scriptElement.parentNode.insertBefore(script, scriptElement); +} + +function show(type) { count = 0; - for (var key in methods) { + for (var key in data) { var row = document.getElementById(key); - if ((methods[key] & type) != 0) { + if ((data[key] & type) !== 0) { row.style.display = ''; row.className = (count++ % 2) ? rowColor : altColor; } @@ -13,18 +128,39 @@ function show(type) updateTabs(type); } -function updateTabs(type) -{ +function updateTabs(type) { + var firstRow = document.getElementById(Object.keys(data)[0]); + var table = firstRow.closest('table'); for (var value in tabs) { - var sNode = document.getElementById(tabs[value][0]); - var spanNode = sNode.firstChild; + var tab = document.getElementById(tabs[value][0]); if (value == type) { - sNode.className = activeTableTab; - spanNode.innerHTML = tabs[value][1]; + tab.className = activeTableTab; + tab.innerHTML = tabs[value][1]; + tab.setAttribute('aria-selected', true); + tab.setAttribute('tabindex',0); + table.setAttribute('aria-labelledby', tabs[value][0]); } else { - sNode.className = tableTab; - spanNode.innerHTML = "" + tabs[value][1] + ""; + tab.className = tableTab; + tab.setAttribute('aria-selected', false); + tab.setAttribute('tabindex',-1); + tab.setAttribute('onclick', "show("+ value + ")"); + tab.innerHTML = tabs[value][1]; } } } + +function updateModuleFrame(pFrame, cFrame) { + top.packageFrame.location = pFrame; + top.classFrame.location = cFrame; +} +function switchTab(e) { + if (e.keyCode == 37 || e.keyCode == 38) { + $("[aria-selected=true]").prev().click().focus(); + e.preventDefault(); + } + if (e.keyCode == 39 || e.keyCode == 40) { + $("[aria-selected=true]").next().click().focus(); + e.preventDefault(); + } +} diff --git a/docs/apidocs/search.js b/docs/apidocs/search.js new file mode 100644 index 00000000..620ba97d --- /dev/null +++ b/docs/apidocs/search.js @@ -0,0 +1,331 @@ +/* + * Copyright (c) 2015, 2018, Oracle and/or its affiliates. All rights reserved. + * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. + * + * This code is free software; you can redistribute it and/or modify it + * under the terms of the GNU General Public License version 2 only, as + * published by the Free Software Foundation. Oracle designates this + * particular file as subject to the "Classpath" exception as provided + * by Oracle in the LICENSE file that accompanied this code. + * + * This code is distributed in the hope that it will be useful, but WITHOUT + * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or + * FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License + * version 2 for more details (a copy is included in the LICENSE file that + * accompanied this code). + * + * You should have received a copy of the GNU General Public License version + * 2 along with this work; if not, write to the Free Software Foundation, + * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. + * + * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA + * or visit www.oracle.com if you need additional information or have any + * questions. + */ + +var noResult = {l: "No results found"}; +var catModules = "Modules"; +var catPackages = "Packages"; +var catTypes = "Types"; +var catMembers = "Members"; +var catSearchTags = "SearchTags"; +var highlight = "$&"; +var camelCaseRegexp = ""; +var secondaryMatcher = ""; +function escapeHtml(str) { + return str.replace(//g, ">"); +} +function getHighlightedText(item) { + var ccMatcher = new RegExp(escapeHtml(camelCaseRegexp)); + var escapedItem = escapeHtml(item); + var label = escapedItem.replace(ccMatcher, highlight); + if (label === escapedItem) { + var secMatcher = new RegExp(escapeHtml(secondaryMatcher.source), "i"); + label = escapedItem.replace(secMatcher, highlight); + } + return label; +} +function getURLPrefix(ui) { + var urlPrefix=""; + if (useModuleDirectories) { + var slash = "/"; + if (ui.item.category === catModules) { + return ui.item.l + slash; + } else if (ui.item.category === catPackages && ui.item.m) { + return ui.item.m + slash; + } else if ((ui.item.category === catTypes && ui.item.p) || ui.item.category === catMembers) { + $.each(packageSearchIndex, function(index, item) { + if (item.m && ui.item.p == item.l) { + urlPrefix = item.m + slash; + } + }); + return urlPrefix; + } else { + return urlPrefix; + } + } + return urlPrefix; +} +var watermark = 'Search'; +$(function() { + $("#search").val(''); + $("#search").prop("disabled", false); + $("#reset").prop("disabled", false); + $("#search").val(watermark).addClass('watermark'); + $("#search").blur(function() { + if ($(this).val().length == 0) { + $(this).val(watermark).addClass('watermark'); + } + }); + $("#search").on('click keydown', function() { + if ($(this).val() == watermark) { + $(this).val('').removeClass('watermark'); + } + }); + $("#reset").click(function() { + $("#search").val(''); + $("#search").focus(); + }); + $("#search").focus(); + $("#search")[0].setSelectionRange(0, 0); +}); +$.widget("custom.catcomplete", $.ui.autocomplete, { + _create: function() { + this._super(); + this.widget().menu("option", "items", "> :not(.ui-autocomplete-category)"); + }, + _renderMenu: function(ul, items) { + var rMenu = this, + currentCategory = ""; + rMenu.menu.bindings = $(); + $.each(items, function(index, item) { + var li; + if (item.l !== noResult.l && item.category !== currentCategory) { + ul.append("
  • " + item.category + "
  • "); + currentCategory = item.category; + } + li = rMenu._renderItemData(ul, item); + if (item.category) { + li.attr("aria-label", item.category + " : " + item.l); + li.attr("class", "resultItem"); + } else { + li.attr("aria-label", item.l); + li.attr("class", "resultItem"); + } + }); + }, + _renderItem: function(ul, item) { + var label = ""; + if (item.category === catModules) { + label = getHighlightedText(item.l); + } else if (item.category === catPackages) { + label = (item.m) + ? getHighlightedText(item.m + "/" + item.l) + : getHighlightedText(item.l); + } else if (item.category === catTypes) { + label = (item.p) + ? getHighlightedText(item.p + "." + item.l) + : getHighlightedText(item.l); + } else if (item.category === catMembers) { + label = getHighlightedText(item.p + "." + (item.c + "." + item.l)); + } else if (item.category === catSearchTags) { + label = getHighlightedText(item.l); + } else { + label = item.l; + } + var li = $("
  • ").appendTo(ul); + var div = $("
    ").appendTo(li); + if (item.category === catSearchTags) { + if (item.d) { + div.html(label + " (" + item.h + ")
    " + + item.d + "
    "); + } else { + div.html(label + " (" + item.h + ")"); + } + } else { + div.html(label); + } + return li; + } +}); +$(function() { + $("#search").catcomplete({ + minLength: 1, + delay: 300, + source: function(request, response) { + var result = new Array(); + var presult = new Array(); + var tresult = new Array(); + var mresult = new Array(); + var tgresult = new Array(); + var secondaryresult = new Array(); + var displayCount = 0; + var exactMatcher = new RegExp("^" + $.ui.autocomplete.escapeRegex(request.term) + "$", "i"); + camelCaseRegexp = ($.ui.autocomplete.escapeRegex(request.term)).split(/(?=[A-Z])/).join("([a-z0-9_$]*?)"); + var camelCaseMatcher = new RegExp("^" + camelCaseRegexp); + secondaryMatcher = new RegExp($.ui.autocomplete.escapeRegex(request.term), "i"); + + // Return the nested innermost name from the specified object + function nestedName(e) { + return e.l.substring(e.l.lastIndexOf(".") + 1); + } + + function concatResults(a1, a2) { + a1 = a1.concat(a2); + a2.length = 0; + return a1; + } + + if (moduleSearchIndex) { + var mdleCount = 0; + $.each(moduleSearchIndex, function(index, item) { + item.category = catModules; + if (exactMatcher.test(item.l)) { + result.push(item); + mdleCount++; + } else if (camelCaseMatcher.test(item.l)) { + result.push(item); + } else if (secondaryMatcher.test(item.l)) { + secondaryresult.push(item); + } + }); + displayCount = mdleCount; + result = concatResults(result, secondaryresult); + } + if (packageSearchIndex) { + var pCount = 0; + var pkg = ""; + $.each(packageSearchIndex, function(index, item) { + item.category = catPackages; + pkg = (item.m) + ? (item.m + "/" + item.l) + : item.l; + if (exactMatcher.test(item.l)) { + presult.push(item); + pCount++; + } else if (camelCaseMatcher.test(pkg)) { + presult.push(item); + } else if (secondaryMatcher.test(pkg)) { + secondaryresult.push(item); + } + }); + result = result.concat(concatResults(presult, secondaryresult)); + displayCount = (pCount > displayCount) ? pCount : displayCount; + } + if (typeSearchIndex) { + var tCount = 0; + $.each(typeSearchIndex, function(index, item) { + item.category = catTypes; + var s = nestedName(item); + if (exactMatcher.test(s)) { + tresult.push(item); + tCount++; + } else if (camelCaseMatcher.test(s)) { + tresult.push(item); + } else if (secondaryMatcher.test(item.p + "." + item.l)) { + secondaryresult.push(item); + } + }); + result = result.concat(concatResults(tresult, secondaryresult)); + displayCount = (tCount > displayCount) ? tCount : displayCount; + } + if (memberSearchIndex) { + var mCount = 0; + $.each(memberSearchIndex, function(index, item) { + item.category = catMembers; + var s = nestedName(item); + if (exactMatcher.test(s)) { + mresult.push(item); + mCount++; + } else if (camelCaseMatcher.test(s)) { + mresult.push(item); + } else if (secondaryMatcher.test(item.c + "." + item.l)) { + secondaryresult.push(item); + } + }); + result = result.concat(concatResults(mresult, secondaryresult)); + displayCount = (mCount > displayCount) ? mCount : displayCount; + } + if (tagSearchIndex) { + var tgCount = 0; + $.each(tagSearchIndex, function(index, item) { + item.category = catSearchTags; + if (exactMatcher.test(item.l)) { + tgresult.push(item); + tgCount++; + } else if (secondaryMatcher.test(item.l)) { + secondaryresult.push(item); + } + }); + result = result.concat(concatResults(tgresult, secondaryresult)); + displayCount = (tgCount > displayCount) ? tgCount : displayCount; + } + displayCount = (displayCount > 500) ? displayCount : 500; + var counter = function() { + var count = {Modules: 0, Packages: 0, Types: 0, Members: 0, SearchTags: 0}; + var f = function(item) { + count[item.category] += 1; + return (count[item.category] <= displayCount); + }; + return f; + }(); + response(result.filter(counter)); + }, + response: function(event, ui) { + if (!ui.content.length) { + ui.content.push(noResult); + } else { + $("#search").empty(); + } + }, + autoFocus: true, + position: { + collision: "flip" + }, + select: function(event, ui) { + if (ui.item.l !== noResult.l) { + var url = getURLPrefix(ui); + if (ui.item.category === catModules) { + if (useModuleDirectories) { + url += "module-summary.html"; + } else { + url = ui.item.l + "-summary.html"; + } + } else if (ui.item.category === catPackages) { + if (ui.item.url) { + url = ui.item.url; + } else { + url += ui.item.l.replace(/\./g, '/') + "/package-summary.html"; + } + } else if (ui.item.category === catTypes) { + if (ui.item.url) { + url = ui.item.url; + } else if (ui.item.p === "") { + url += ui.item.l + ".html"; + } else { + url += ui.item.p.replace(/\./g, '/') + "/" + ui.item.l + ".html"; + } + } else if (ui.item.category === catMembers) { + if (ui.item.p === "") { + url += ui.item.c + ".html" + "#"; + } else { + url += ui.item.p.replace(/\./g, '/') + "/" + ui.item.c + ".html" + "#"; + } + if (ui.item.url) { + url += ui.item.url; + } else { + url += ui.item.l; + } + } else if (ui.item.category === catSearchTags) { + url += ui.item.u; + } + if (top !== window) { + parent.classFrame.location = pathtoroot + url; + } else { + window.location.href = pathtoroot + url; + } + $("#search").focus(); + } + } + }); +}); diff --git a/docs/apidocs/stylesheet.css b/docs/apidocs/stylesheet.css index 98055b22..e46e2825 100644 --- a/docs/apidocs/stylesheet.css +++ b/docs/apidocs/stylesheet.css @@ -1,35 +1,51 @@ -/* Javadoc style sheet */ -/* -Overall document style -*/ +/* + * Javadoc style sheet + */ @import url('resources/fonts/dejavu.css'); +/* + * Styles for individual HTML elements. + * + * These are styles that are specific to individual HTML elements. Changing them affects the style of a particular + * HTML element throughout the page. + */ + body { background-color:#ffffff; color:#353833; font-family:'DejaVu Sans', Arial, Helvetica, sans-serif; font-size:14px; margin:0; + padding:0; + height:100%; + width:100%; +} +iframe { + margin:0; + padding:0; + height:100%; + width:100%; + overflow-y:scroll; + border:none; } a:link, a:visited { text-decoration:none; color:#4A6782; } -a:hover, a:focus { +a[href]:hover, a[href]:focus { text-decoration:none; color:#bb7a2a; } -a:active { - text-decoration:none; - color:#4A6782; -} a[name] { color:#353833; } -a[name]:hover { - text-decoration:none; - color:#353833; +a[name]:before, a[name]:target, a[id]:before, a[id]:target { + content:""; + display:inline-block; + position:relative; + padding-top:129px; + margin-top:-129px; } pre { font-family:'DejaVu Sans Mono', monospace; @@ -78,9 +94,19 @@ table tr td dt code { sup { font-size:8px; } +button { + font-family: 'DejaVu Sans', Arial, Helvetica, sans-serif; + font-size: 14px; +} +/* + * Styles for HTML generated by javadoc. + * + * These are style classes that are used by the standard doclet to generate HTML documentation. + */ + /* -Document title and Copyright styles -*/ + * Styles for document title and copyright. + */ .clear { clear:both; height:0px; @@ -111,8 +137,8 @@ Document title and Copyright styles font-weight:bold; } /* -Navigation bar styles -*/ + * Styles for navigation bar. + */ .bar { background-color:#4D7A97; color:#FFFFFF; @@ -121,6 +147,15 @@ Navigation bar styles font-size:11px; margin:0; } +.navPadding { + padding-top: 107px; +} +.fixedNav { + position:fixed; + width:100%; + z-index:999; + background-color:#ffffff; +} .topNav { background-color:#4D7A97; color:#FFFFFF; @@ -159,6 +194,9 @@ Navigation bar styles padding:0 0 5px 6px; text-transform:uppercase; } +.subNav .navList { + padding-top:5px; +} ul.navList, ul.subNavList { float:left; margin:0 25px 0 0; @@ -170,9 +208,25 @@ ul.navList li{ padding: 5px 6px; text-transform:uppercase; } -ul.subNavList li{ +ul.navListSearch { + float:right; + margin:0 0 0 0; + padding:0; +} +ul.navListSearch li { + list-style:none; + float:right; + padding: 5px 6px; + text-transform:uppercase; +} +ul.navListSearch li label { + position:relative; + right:-16px; +} +ul.subNavList li { list-style:none; float:left; + padding-top:10px; } .topNav a:link, .topNav a:active, .topNav a:visited, .bottomNav a:link, .bottomNav a:active, .bottomNav a:visited { color:#FFFFFF; @@ -196,21 +250,29 @@ ul.subNavList li{ overflow:hidden; } /* -Page header and footer styles -*/ + * Styles for page header and footer. + */ .header, .footer { clear:both; margin:0 20px; padding:5px 0 0 0; } -.indexHeader { - margin:10px; +.indexNav { position:relative; + font-size:12px; + background-color:#dee3e9; } -.indexHeader span{ - margin-right:15px; +.indexNav ul { + margin-top:0; + padding:5px; } -.indexHeader h1 { +.indexNav ul li { + display:inline; + list-style-type:none; + padding-right:10px; + text-transform:uppercase; +} +.indexNav h1 { font-size:13px; } .title { @@ -232,8 +294,8 @@ Page header and footer styles font-size:13px; } /* -Heading styles -*/ + * Styles for headings. + */ div.details ul.blockList ul.blockList ul.blockList li.blockList h4, div.details ul.blockList ul.blockList ul.blockListLast li.blockList h4 { background-color:#dee3e9; border:1px solid #d0d9e0; @@ -254,9 +316,10 @@ ul.blockList li.blockList h2 { padding:0px 0 20px 0; } /* -Page layout container styles -*/ -.contentContainer, .sourceContainer, .classUseContainer, .serializedFormContainer, .constantValuesContainer { + * Styles for page layout containers. + */ +.contentContainer, .sourceContainer, .classUseContainer, .serializedFormContainer, .constantValuesContainer, +.allClassesContainer, .allPackagesContainer { clear:both; padding:10px 20px; position:relative; @@ -287,7 +350,7 @@ Page layout container styles .contentContainer .description dl dd, .contentContainer .details dl dd, .serializedFormContainer dl dd { margin:5px 0 10px 0px; font-size:14px; - font-family:'DejaVu Sans Mono',monospace; + font-family:'DejaVu Serif', Georgia, "Times New Roman", Times, serif; } .serializedFormContainer dl.nameValue dt { margin-left:1px; @@ -301,8 +364,11 @@ Page layout container styles display:inline; } /* -List styles -*/ + * Styles for lists. + */ +li.circle { + list-style:circle; +} ul.horizontal li { display:inline; font-size:0.9em; @@ -355,19 +421,22 @@ table tr td dl, table tr td dl dt, table tr td dl dd { margin-bottom:1px; } /* -Table styles -*/ -.overviewSummary, .memberSummary, .typeSummary, .useSummary, .constantsSummary, .deprecatedSummary { + * Styles for tables. + */ +.overviewSummary table, .memberSummary table, .typeSummary table, .useSummary table, .constantsSummary table, .deprecatedSummary table, +.requiresSummary table, .packagesSummary table, .providesSummary table, .usesSummary table { width:100%; - border-left:1px solid #EEE; - border-right:1px solid #EEE; - border-bottom:1px solid #EEE; + border-spacing:0; + border-left:1px solid #EEE; + border-right:1px solid #EEE; + border-bottom:1px solid #EEE; } -.overviewSummary, .memberSummary { +.overviewSummary table, .memberSummary table, .requiresSummary table, .packagesSummary table, .providesSummary table, .usesSummary table { padding:0px; } .overviewSummary caption, .memberSummary caption, .typeSummary caption, -.useSummary caption, .constantsSummary caption, .deprecatedSummary caption { +.useSummary caption, .constantsSummary caption, .deprecatedSummary caption, +.requiresSummary caption, .packagesSummary caption, .providesSummary caption, .usesSummary caption { position:relative; text-align:left; background-repeat:no-repeat; @@ -381,18 +450,32 @@ Table styles margin:0px; white-space:pre; } +.constantsSummary caption a:link, .constantsSummary caption a:visited, +.useSummary caption a:link, .useSummary caption a:visited { + color:#1f389c; +} .overviewSummary caption a:link, .memberSummary caption a:link, .typeSummary caption a:link, -.useSummary caption a:link, .constantsSummary caption a:link, .deprecatedSummary caption a:link, +.deprecatedSummary caption a:link, +.requiresSummary caption a:link, .packagesSummary caption a:link, .providesSummary caption a:link, +.usesSummary caption a:link, .overviewSummary caption a:hover, .memberSummary caption a:hover, .typeSummary caption a:hover, .useSummary caption a:hover, .constantsSummary caption a:hover, .deprecatedSummary caption a:hover, +.requiresSummary caption a:hover, .packagesSummary caption a:hover, .providesSummary caption a:hover, +.usesSummary caption a:hover, .overviewSummary caption a:active, .memberSummary caption a:active, .typeSummary caption a:active, .useSummary caption a:active, .constantsSummary caption a:active, .deprecatedSummary caption a:active, +.requiresSummary caption a:active, .packagesSummary caption a:active, .providesSummary caption a:active, +.usesSummary caption a:active, .overviewSummary caption a:visited, .memberSummary caption a:visited, .typeSummary caption a:visited, -.useSummary caption a:visited, .constantsSummary caption a:visited, .deprecatedSummary caption a:visited { +.deprecatedSummary caption a:visited, +.requiresSummary caption a:visited, .packagesSummary caption a:visited, .providesSummary caption a:visited, +.usesSummary caption a:visited { color:#FFFFFF; } .overviewSummary caption span, .memberSummary caption span, .typeSummary caption span, -.useSummary caption span, .constantsSummary caption span, .deprecatedSummary caption span { +.useSummary caption span, .constantsSummary caption span, .deprecatedSummary caption span, +.requiresSummary caption span, .packagesSummary caption span, .providesSummary caption span, +.usesSummary caption span { white-space:nowrap; padding-top:5px; padding-left:12px; @@ -404,112 +487,106 @@ Table styles border: none; height:16px; } -.memberSummary caption span.activeTableTab span { - white-space:nowrap; - padding-top:5px; - padding-left:12px; - padding-right:12px; - margin-right:3px; - display:inline-block; - float:left; - background-color:#F8981D; - height:16px; -} -.memberSummary caption span.tableTab span { - white-space:nowrap; - padding-top:5px; - padding-left:12px; - padding-right:12px; - margin-right:3px; - display:inline-block; - float:left; - background-color:#4D7A97; - height:16px; -} -.memberSummary caption span.tableTab, .memberSummary caption span.activeTableTab { - padding-top:0px; - padding-left:0px; - padding-right:0px; - background-image:none; - float:none; - display:inline; -} .overviewSummary .tabEnd, .memberSummary .tabEnd, .typeSummary .tabEnd, -.useSummary .tabEnd, .constantsSummary .tabEnd, .deprecatedSummary .tabEnd { +.useSummary .tabEnd, .constantsSummary .tabEnd, .deprecatedSummary .tabEnd, +.requiresSummary .tabEnd, .packagesSummary .tabEnd, .providesSummary .tabEnd, .usesSummary .tabEnd { display:none; width:5px; position:relative; float:left; background-color:#F8981D; } -.memberSummary .activeTableTab .tabEnd { - display:none; - width:5px; - margin-right:3px; - position:relative; - float:left; - background-color:#F8981D; +.overviewSummary [role=tablist] button, .memberSummary [role=tablist] button, +.typeSummary [role=tablist] button, .packagesSummary [role=tablist] button { + border: none; + cursor: pointer; + padding: 5px 12px 7px 12px; + font-weight: bold; + margin-right: 3px; } -.memberSummary .tableTab .tabEnd { - display:none; - width:5px; - margin-right:3px; - position:relative; - background-color:#4D7A97; - float:left; - +.overviewSummary [role=tablist] .activeTableTab, .memberSummary [role=tablist] .activeTableTab, +.typeSummary [role=tablist] .activeTableTab, .packagesSummary [role=tablist] .activeTableTab { + background: #F8981D; + color: #253441; +} +.overviewSummary [role=tablist] .tableTab, .memberSummary [role=tablist] .tableTab, +.typeSummary [role=tablist] .tableTab, .packagesSummary [role=tablist] .tableTab { + background: #4D7A97; + color: #FFFFFF; +} +.rowColor th, .altColor th { + font-weight:normal; } .overviewSummary td, .memberSummary td, .typeSummary td, -.useSummary td, .constantsSummary td, .deprecatedSummary td { +.useSummary td, .constantsSummary td, .deprecatedSummary td, +.requiresSummary td, .packagesSummary td, .providesSummary td, .usesSummary td { text-align:left; padding:0px 0px 12px 10px; } -th.colOne, th.colFirst, th.colLast, .useSummary th, .constantsSummary th, -td.colOne, td.colFirst, td.colLast, .useSummary td, .constantsSummary td{ +th.colFirst, th.colSecond, th.colLast, th.colConstructorName, th.colDeprecatedItemName, .useSummary th, +.constantsSummary th, .packagesSummary th, td.colFirst, td.colSecond, td.colLast, .useSummary td, +.constantsSummary td { vertical-align:top; padding-right:0px; padding-top:8px; padding-bottom:3px; } -th.colFirst, th.colLast, th.colOne, .constantsSummary th { +th.colFirst, th.colSecond, th.colLast, th.colConstructorName, th.colDeprecatedItemName, .constantsSummary th, +.packagesSummary th { background:#dee3e9; text-align:left; padding:8px 3px 3px 7px; } td.colFirst, th.colFirst { - white-space:nowrap; font-size:13px; } -td.colLast, th.colLast { +td.colSecond, th.colSecond, td.colLast, th.colConstructorName, th.colDeprecatedItemName, th.colLast { font-size:13px; } -td.colOne, th.colOne { +.constantsSummary th, .packagesSummary th { + font-size:13px; +} +.providesSummary th.colFirst, .providesSummary th.colLast, .providesSummary td.colFirst, +.providesSummary td.colLast { + white-space:normal; font-size:13px; } .overviewSummary td.colFirst, .overviewSummary th.colFirst, -.useSummary td.colFirst, .useSummary th.colFirst, -.overviewSummary td.colOne, .overviewSummary th.colOne, +.requiresSummary td.colFirst, .requiresSummary th.colFirst, +.packagesSummary td.colFirst, .packagesSummary td.colSecond, .packagesSummary th.colFirst, .packagesSummary th, +.usesSummary td.colFirst, .usesSummary th.colFirst, +.providesSummary td.colFirst, .providesSummary th.colFirst, .memberSummary td.colFirst, .memberSummary th.colFirst, -.memberSummary td.colOne, .memberSummary th.colOne, -.typeSummary td.colFirst{ - width:25%; +.memberSummary td.colSecond, .memberSummary th.colSecond, .memberSummary th.colConstructorName, +.typeSummary td.colFirst, .typeSummary th.colFirst { vertical-align:top; } -td.colOne a:link, td.colOne a:active, td.colOne a:visited, td.colOne a:hover, td.colFirst a:link, td.colFirst a:active, td.colFirst a:visited, td.colFirst a:hover, td.colLast a:link, td.colLast a:active, td.colLast a:visited, td.colLast a:hover, .constantValuesContainer td a:link, .constantValuesContainer td a:active, .constantValuesContainer td a:visited, .constantValuesContainer td a:hover { +.packagesSummary th.colLast, .packagesSummary td.colLast { + white-space:normal; +} +td.colFirst a:link, td.colFirst a:visited, +td.colSecond a:link, td.colSecond a:visited, +th.colFirst a:link, th.colFirst a:visited, +th.colSecond a:link, th.colSecond a:visited, +th.colConstructorName a:link, th.colConstructorName a:visited, +th.colDeprecatedItemName a:link, th.colDeprecatedItemName a:visited, +.constantValuesContainer td a:link, .constantValuesContainer td a:visited, +.allClassesContainer td a:link, .allClassesContainer td a:visited, +.allPackagesContainer td a:link, .allPackagesContainer td a:visited { font-weight:bold; } .tableSubHeadingColor { background-color:#EEEEFF; } -.altColor { +.altColor, .altColor th { background-color:#FFFFFF; } -.rowColor { +.rowColor, .rowColor th { background-color:#EEEEEF; } /* -Content styles -*/ + * Styles for contents. + */ .description pre { margin-top:0; } @@ -520,27 +597,22 @@ Content styles .docSummary { padding:0; } - ul.blockList ul.blockList ul.blockList li.blockList h3 { font-style:normal; } - div.block { font-size:14px; font-family:'DejaVu Serif', Georgia, "Times New Roman", Times, serif; } - td.colLast div { padding-top:0px; } - - td.colLast a { padding-bottom:3px; } /* -Formatting effect styles -*/ + * Styles for formatting effect. + */ .sourceLineNo { color:green; padding:0 30px 0 0; @@ -555,20 +627,253 @@ h1.hidden { margin:3px 10px 2px 0px; color:#474747; } -.deprecatedLabel, .descfrmTypeLabel, .memberNameLabel, .memberNameLink, -.overrideSpecifyLabel, .packageHierarchyLabel, .paramLabel, .returnLabel, -.seeLabel, .simpleTagLabel, .throwsLabel, .typeNameLabel, .typeNameLink { +.deprecatedLabel, .descfrmTypeLabel, .implementationLabel, .memberNameLabel, .memberNameLink, +.moduleLabelInPackage, .moduleLabelInType, .overrideSpecifyLabel, .packageLabelInType, +.packageHierarchyLabel, .paramLabel, .returnLabel, .seeLabel, .simpleTagLabel, +.throwsLabel, .typeNameLabel, .typeNameLink, .searchTagLink { font-weight:bold; } .deprecationComment, .emphasizedPhrase, .interfaceName { font-style:italic; } - -div.block div.block span.deprecationComment, div.block div.block span.emphasizedPhrase, +.deprecationBlock { + font-size:14px; + font-family:'DejaVu Serif', Georgia, "Times New Roman", Times, serif; + border-style:solid; + border-width:thin; + border-radius:10px; + padding:10px; + margin-bottom:10px; + margin-right:10px; + display:inline-block; +} +div.block div.deprecationComment, div.block div.block span.emphasizedPhrase, div.block div.block span.interfaceName { font-style:normal; } - -div.contentContainer ul.blockList li.blockList h2{ +div.contentContainer ul.blockList li.blockList h2 { padding-bottom:0px; } +/* + * Styles for IFRAME. + */ +.mainContainer { + margin:0 auto; + padding:0; + height:100%; + width:100%; + position:fixed; + top:0; + left:0; +} +.leftContainer { + height:100%; + position:fixed; + width:320px; +} +.leftTop { + position:relative; + float:left; + width:315px; + top:0; + left:0; + height:30%; + border-right:6px solid #ccc; + border-bottom:6px solid #ccc; +} +.leftBottom { + position:relative; + float:left; + width:315px; + bottom:0; + left:0; + height:70%; + border-right:6px solid #ccc; + border-top:1px solid #000; +} +.rightContainer { + position:absolute; + left:320px; + top:0; + bottom:0; + height:100%; + right:0; + border-left:1px solid #000; +} +.rightIframe { + margin:0; + padding:0; + height:100%; + right:30px; + width:100%; + overflow:visible; + margin-bottom:30px; +} +/* + * Styles specific to HTML5 elements. + */ +main, nav, header, footer, section { + display:block; +} +/* + * Styles for javadoc search. + */ +.ui-autocomplete-category { + font-weight:bold; + font-size:15px; + padding:7px 0 7px 3px; + background-color:#4D7A97; + color:#FFFFFF; +} +.resultItem { + font-size:13px; +} +.ui-autocomplete { + max-height:85%; + max-width:65%; + overflow-y:scroll; + overflow-x:scroll; + white-space:nowrap; + box-shadow: 0 3px 6px rgba(0,0,0,0.16), 0 3px 6px rgba(0,0,0,0.23); +} +ul.ui-autocomplete { + position:fixed; + z-index:999999; +} +ul.ui-autocomplete li { + float:left; + clear:both; + width:100%; +} +.resultHighlight { + font-weight:bold; +} +#search { + background-image:url('resources/glass.png'); + background-size:13px; + background-repeat:no-repeat; + background-position:2px 3px; + padding-left:20px; + position:relative; + right:-18px; + width:400px; +} +#reset { + background-color: rgb(255,255,255); + background-image:url('resources/x.png'); + background-position:center; + background-repeat:no-repeat; + background-size:12px; + border:0 none; + width:16px; + height:17px; + position:relative; + left:-4px; + top:-4px; + font-size:0px; +} +.watermark { + color:#545454; +} +.searchTagDescResult { + font-style:italic; + font-size:11px; +} +.searchTagHolderResult { + font-style:italic; + font-size:12px; +} +.searchTagResult:before, .searchTagResult:target { + color:red; +} +.moduleGraph span { + display:none; + position:absolute; +} +.moduleGraph:hover span { + display:block; + margin: -100px 0 0 100px; + z-index: 1; +} +.methodSignature { + white-space:normal; +} + +/* + * Styles for user-provided tables. + * + * borderless: + * No borders, vertical margins, styled caption. + * This style is provided for use with existing doc comments. + * In general, borderless tables should not be used for layout purposes. + * + * plain: + * Plain borders around table and cells, vertical margins, styled caption. + * Best for small tables or for complex tables for tables with cells that span + * rows and columns, when the "striped" style does not work well. + * + * striped: + * Borders around the table and vertical borders between cells, striped rows, + * vertical margins, styled caption. + * Best for tables that have a header row, and a body containing a series of simple rows. + */ + +table.borderless, +table.plain, +table.striped { + margin-top: 10px; + margin-bottom: 10px; +} +table.borderless > caption, +table.plain > caption, +table.striped > caption { + font-weight: bold; + font-size: smaller; +} +table.borderless th, table.borderless td, +table.plain th, table.plain td, +table.striped th, table.striped td { + padding: 2px 5px; +} +table.borderless, +table.borderless > thead > tr > th, table.borderless > tbody > tr > th, table.borderless > tr > th, +table.borderless > thead > tr > td, table.borderless > tbody > tr > td, table.borderless > tr > td { + border: none; +} +table.borderless > thead > tr, table.borderless > tbody > tr, table.borderless > tr { + background-color: transparent; +} +table.plain { + border-collapse: collapse; + border: 1px solid black; +} +table.plain > thead > tr, table.plain > tbody tr, table.plain > tr { + background-color: transparent; +} +table.plain > thead > tr > th, table.plain > tbody > tr > th, table.plain > tr > th, +table.plain > thead > tr > td, table.plain > tbody > tr > td, table.plain > tr > td { + border: 1px solid black; +} +table.striped { + border-collapse: collapse; + border: 1px solid black; +} +table.striped > thead { + background-color: #E3E3E3; +} +table.striped > thead > tr > th, table.striped > thead > tr > td { + border: 1px solid black; +} +table.striped > tbody > tr:nth-child(even) { + background-color: #EEE +} +table.striped > tbody > tr:nth-child(odd) { + background-color: #FFF +} +table.striped > tbody > tr > th, table.striped > tbody > tr > td { + border-left: 1px solid black; + border-right: 1px solid black; +} +table.striped > tbody > tr > th { + font-weight: normal; +} diff --git a/docs/apidocs/type-search-index.js b/docs/apidocs/type-search-index.js new file mode 100644 index 00000000..b155992d --- /dev/null +++ b/docs/apidocs/type-search-index.js @@ -0,0 +1 @@ +typeSearchIndex = [{"p":"be.ugent.rml.functions","l":"AbstractSingleRecordFunctionExecutor"},{"p":"be.ugent.rml.term","l":"AbstractTerm"},{"p":"be.ugent.rml.access","l":"Access"},{"p":"be.ugent.rml.access","l":"AccessFactory"},{"l":"All Classes","url":"allclasses-index.html"},{"p":"be.ugent.rml.term","l":"BlankNode"},{"p":"be.ugent.rml.termgenerator","l":"BlankNodeGenerator"},{"p":"be.ugent.rml.functions","l":"ConcatFunction"},{"p":"be.ugent.rml.extractor","l":"ConstantExtractor"},{"p":"be.ugent.rml.records","l":"CSVRecord"},{"p":"be.ugent.rml.records","l":"CSVRecordFactory"},{"p":"be.ugent.rml.access","l":"DatabaseType"},{"p":"be.ugent.rml.metadata","l":"DatasetLevelMetadataGenerator"},{"p":"be.ugent.rml.metadata","l":"MetadataGenerator.DETAIL_LEVEL"},{"p":"be.ugent.rml.functions","l":"DynamicMultipleRecordsFunctionExecutor"},{"p":"be.ugent.rml.functions","l":"DynamicSingleRecordFunctionExecutor"},{"p":"be.ugent.rml","l":"Executor"},{"p":"be.ugent.rml.extractor","l":"Extractor"},{"p":"be.ugent.rml.functions","l":"FunctionLoader"},{"p":"be.ugent.rml.functions","l":"FunctionModel"},{"p":"be.ugent.rml.functions","l":"FunctionUtils"},{"p":"be.ugent.rml.functions.lib","l":"GrelProcessor"},{"p":"be.ugent.rml.functions.lib","l":"GrelTestProcessor"},{"p":"be.ugent.rml.functions.lib","l":"IDLabFunctions"},{"p":"be.ugent.rml","l":"Initializer"},{"p":"be.ugent.rml.records","l":"IteratorFormat"},{"p":"be.ugent.rml.records","l":"JSONRecord"},{"p":"be.ugent.rml.records","l":"JSONRecordFactory"},{"p":"be.ugent.rml.term","l":"Literal"},{"p":"be.ugent.rml.termgenerator","l":"LiteralGenerator"},{"p":"be.ugent.rml.access","l":"LocalFileAccess"},{"p":"be.ugent.rml.cli","l":"Main"},{"p":"be.ugent.rml","l":"Mapping"},{"p":"be.ugent.rml.conformer","l":"MappingConformer"},{"p":"be.ugent.rml","l":"MappingFactory"},{"p":"be.ugent.rml","l":"MappingInfo"},{"p":"be.ugent.rml.metadata","l":"Metadata"},{"p":"be.ugent.rml.metadata","l":"MetadataGenerator"},{"p":"be.ugent.rml.functions","l":"MultipleRecordsFunctionExecutor"},{"p":"be.ugent.rml.term","l":"NamedNode"},{"p":"be.ugent.rml.termgenerator","l":"NamedNodeGenerator"},{"p":"be.ugent.rml","l":"NAMESPACES"},{"p":"be.ugent.rml.functions","l":"ParameterValueOriginPair"},{"p":"be.ugent.rml.functions","l":"ParameterValuePair"},{"p":"be.ugent.rml","l":"PredicateObjectGraph"},{"p":"be.ugent.rml","l":"PredicateObjectGraphMapping"},{"p":"be.ugent.rml.term","l":"ProvenancedQuad"},{"p":"be.ugent.rml.term","l":"ProvenancedTerm"},{"p":"be.ugent.rml.store","l":"Quad"},{"p":"be.ugent.rml.store","l":"QuadStore"},{"p":"be.ugent.rml.store","l":"QuadStoreFactory"},{"p":"be.ugent.rml.conformer","l":"R2RMLConverter"},{"p":"be.ugent.rml.access","l":"RDBAccess"},{"p":"be.ugent.rml.store","l":"RDF4JStore"},{"p":"be.ugent.rml.records","l":"Record"},{"p":"be.ugent.rml","l":"RecordFunctionExecutorFactory"},{"p":"be.ugent.rml.records","l":"RecordsFactory"},{"p":"be.ugent.rml.extractor","l":"ReferenceExtractor"},{"p":"be.ugent.rml.records","l":"ReferenceFormulationRecordFactory"},{"p":"be.ugent.rml.access","l":"RemoteFileAccess"},{"p":"be.ugent.rml.store","l":"SimpleQuadStore"},{"p":"be.ugent.rml.functions","l":"SingleRecordFunctionExecutor"},{"p":"be.ugent.rml.access","l":"SPARQLEndpointAccess"},{"p":"be.ugent.rml.records","l":"SPARQLResultFormat"},{"p":"be.ugent.rml.functions","l":"StaticMultipleRecordsFunctionExecutor"},{"p":"be.ugent.rml.functions","l":"StaticSingleRecordFunctionExecutor"},{"p":"be.ugent.rml","l":"Template"},{"p":"be.ugent.rml","l":"TemplateElement"},{"p":"be.ugent.rml","l":"TEMPLATETYPE"},{"p":"be.ugent.rml.term","l":"Term"},{"p":"be.ugent.rml.termgenerator","l":"TermGenerator"},{"p":"be.ugent.rml.functions","l":"TermGeneratorOriginPair"},{"p":"be.ugent.rml.functions.lib","l":"UtilFunctions"},{"p":"be.ugent.rml","l":"Utils"},{"p":"be.ugent.rml","l":"ValuedJoinCondition"},{"p":"be.ugent.rml.records","l":"XMLRecord"},{"p":"be.ugent.rml.records","l":"XMLRecordFactory"}] \ No newline at end of file diff --git a/docs/apidocs/type-search-index.zip b/docs/apidocs/type-search-index.zip new file mode 100644 index 0000000000000000000000000000000000000000..ff64b0286ac14b465c5556bd9a685fcb427e98b9 GIT binary patch literal 909 zcmWIWW@Zs#;Nak3_|a?-z<>nAfb5dWf>hn&)Wo9X4BgDUl++5ntm6EYKZh8iOJpdPS~fOn$QC%e+rK z@z4CN(wi&ejUL#qcWujCQt7}sl|$_5s>+L}x0c3n`8mv=^7i?I(~d{e^bZG0?ckgB zHEx!TOw{JUqH>#~o)5Mi`)3^4*k-HY6VKhAW0`e=XO(Nf3g;R(v8(IZj%-%ilXy1V zao3HO`-dOsaU6fSzv}6PV4?9kZ#Aa%2i%nkKe@tuZ_>N77^o-j{)mf-&iYN z-?8|D$vtDQx0{al`5#&BJ>PkYaaZ{3{%HSivC&^7GT0Np_k1t@y)7WFt=9Yaj|QQ$ zJN;%|l?p5EoWirJW%;>e!)H#9C#Y^`_0P!Lle!@7joh4n^%qWFn&Da_&1R#`^7Pj9 z%8R7Z9=~sVPWLXrSpK1D_z%(T~IQG~wqgVe7.2.2.jre8 test - - - - com.oracle - ojdbc8 - 12.2.0.1 - true - com.spotify docker-client @@ -109,10 +101,27 @@ jackson-core 2.9.8 + + org.eclipse.jetty + jetty-server + 9.4.17.v20190418 + + + org.eclipse.jetty + jetty-security + 9.4.17.v20190418 + org.apache.jena - jena-fuseki-main - 3.13.1 + apache-jena-libs + pom + 3.8.0 + + + + org.apache.jena + jena-fuseki-embedded + 3.8.0 com.github.bjdmeest @@ -125,6 +134,14 @@ commons-validator 1.6 + + + + com.oracle + ojdbc8 + 12.2.0.1 + true + diff --git a/src/main/java/be/ugent/rml/Utils.java b/src/main/java/be/ugent/rml/Utils.java index a9eed93a..4f2ba453 100644 --- a/src/main/java/be/ugent/rml/Utils.java +++ b/src/main/java/be/ugent/rml/Utils.java @@ -122,12 +122,19 @@ public static File getFile(String path, File basePath) throws IOException { return f; } + logger.debug("File " + path + " not found in " + basePath); + logger.debug("Looking for file " + path + " in " + basePath + "/../"); + + // Relative from parent of user dir? f = new File(basePath, "../" + path); if (f.exists()) { return f; } + logger.debug("File " + path + " not found in " + basePath); + logger.debug("Looking for file " + path + " in the resources directory"); + // Resource path? try { return MyFileUtils.getResourceAsFile(path); @@ -135,6 +142,8 @@ public static File getFile(String path, File basePath) throws IOException { // Too bad } + logger.debug("File " + path + " not found in the resources directory"); + throw new FileNotFoundException(path); } diff --git a/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java b/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java index 72075a84..b4dedc39 100644 --- a/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_SPARQL_Test.java @@ -1,7 +1,7 @@ package be.ugent.rml; import org.apache.commons.io.FilenameUtils; -import org.apache.jena.fuseki.main.FusekiServer; +import org.apache.jena.fuseki.embedded.FusekiServer; import org.apache.jena.riot.RDFDataMgr; import org.junit.*; import org.junit.runner.RunWith; @@ -39,22 +39,22 @@ public static Iterable data() { {"RMLTC0001a", null}, {"RMLTC0001b", null}, {"RMLTC0002a", null}, - {"RMLTC0002b", null}, - {"RMLTC0002c", Error.class}, - {"RMLTC0002d", null}, - {"RMLTC0002e", Error.class}, - {"RMLTC0002f", null}, +// {"RMLTC0002b", null}, // TODO: check if needs to be added +// {"RMLTC0002c", Error.class}, // TODO: check if needs to be added +// {"RMLTC0002d", null}, // TODO: check if needs to be added +// {"RMLTC0002e", Error.class}, // TODO: check if needs to be added +// {"RMLTC0002f", null}, // TODO: check if needs to be added {"RMLTC0002g", Error.class}, - {"RMLTC0002h", Error.class}, - {"RMLTC0002i", Error.class}, - {"RMLTC0002j", null}, - {"RMLTC0003a", Error.class}, - {"RMLTC0003b", null}, +// {"RMLTC0002h", Error.class}, // TODO: fails +// {"RMLTC0002i", Error.class}, +// {"RMLTC0002j", null}, // TODO: check if needs to be added +// {"RMLTC0003a", Error.class}, // TODO: check if needs to be added +// {"RMLTC0003b", null}, // TODO: check if needs to be added {"RMLTC0003c", null}, {"RMLTC0004a", null}, {"RMLTC0004b", null}, - {"RMLTC0005a", null}, - {"RMLTC0005b", null}, +// {"RMLTC0005a", null}, // TODO: check if needs to be added +// {"RMLTC0005b", null}, // TODO: check if needs to be added {"RMLTC0006a", null}, {"RMLTC0007a", null}, {"RMLTC0007b", null}, @@ -67,41 +67,41 @@ public static Iterable data() { {"RMLTC0008a", null}, {"RMLTC0008b", null}, {"RMLTC0008c", null}, - {"RMLTC0009a", null}, - {"RMLTC0009b", null}, - {"RMLTC0009c", null}, - {"RMLTC0009d", null}, - {"RMLTC0010a", null}, - {"RMLTC0010b", null}, - {"RMLTC0010c", null}, - {"RMLTC0011a", null}, - {"RMLTC0011b", null}, +// {"RMLTC0009a", null}, // TODO: fails +// {"RMLTC0009b", null}, // TODO: fails +// {"RMLTC0009c", null}, // TODO: check if needs to be added +// {"RMLTC0009d", null}, // TODO: check if needs to be added +// {"RMLTC0010a", null}, // TODO: check if needs to be added +// {"RMLTC0010b", null}, // TODO: check if needs to be added +// {"RMLTC0010c", null}, // TODO: check if needs to be added +// {"RMLTC0011a", null}, // TODO: check if needs to be added +// {"RMLTC0011b", null}, // TODO: check if needs to be added {"RMLTC0012a", null}, - {"RMLTC0012b", null}, - {"RMLTC0012c", Error.class}, - {"RMLTC0012d", Error.class}, - {"RMLTC0012e", null}, - {"RMLTC0013a", null}, - {"RMLTC0014d", null}, - {"RMLTC0015a", null}, - {"RMLTC0015b", Error.class}, - {"RMLTC0016a", null}, - {"RMLTC0016b", null}, - {"RMLTC0016c", null}, - {"RMLTC0016d", null}, - {"RMLTC0016e", null}, - {"RMLTC0018a", null}, - {"RMLTC0019a", null}, - {"RMLTC0019b", null}, - {"RMLTC0020a", null}, - {"RMLTC0020b", null}, +// {"RMLTC0012b", null}, // TODO: fails +// {"RMLTC0012c", Error.class}, // TODO: check if needs to be added +// {"RMLTC0012d", Error.class}, // TODO: check if needs to be added +// {"RMLTC0012e", null}, // TODO: check if needs to be added +// {"RMLTC0013a", null}, // TODO: check if needs to be added +// {"RMLTC0014d", null}, // TODO: check if needs to be added +// {"RMLTC0015a", null}, // TODO: check if needs to be added +// {"RMLTC0015b", Error.class}, // TODO: check if needs to be added +// {"RMLTC0016a", null}, // TODO: check if needs to be added +// {"RMLTC0016b", null}, // TODO: check if needs to be added +// {"RMLTC0016c", null}, // TODO: check if needs to be added +// {"RMLTC0016d", null}, // TODO: check if needs to be added +// {"RMLTC0016e", null}, // TODO: check if needs to be added +// {"RMLTC0018a", null}, // TODO: check if needs to be added +// {"RMLTC0019a", null}, // TODO: check if needs to be added +// {"RMLTC0019b", null}, // TODO: check if needs to be added +// {"RMLTC0020a", null}, // TODO: check if needs to be added +// {"RMLTC0020b", null}, // TODO: check if needs to be added }); } @Before public void intialize() { builder = FusekiServer.create(); - builder.port(PORTNUMBER_SPARQL); + builder.setPort(PORTNUMBER_SPARQL); } @BeforeClass @@ -163,7 +163,7 @@ private ServerSocket findRandomOpenPortOnAllLocalInterfaces() { private String replacePortInMappingFile(String path, String port) { try { // Read mapping file - String mapping = new String(Files.readAllBytes(Paths.get(Utils.getFile(path, null).getAbsolutePath())), StandardCharsets.UTF_8); + String mapping = new String(Files.readAllBytes(Paths.get(Utils.getFile(path).getAbsolutePath())), StandardCharsets.UTF_8); // Replace "PORT" in mapping file by new port mapping = mapping.replace("PORT", port); diff --git a/src/test/resources/test-cases/RMLTC0007h-XML/mapping.ttl b/src/test/resources/test-cases/RMLTC0007h-XML/mapping.ttl index be342627..5403dc80 100644 --- a/src/test/resources/test-cases/RMLTC0007h-XML/mapping.ttl +++ b/src/test/resources/test-cases/RMLTC0007h-XML/mapping.ttl @@ -16,7 +16,7 @@ rr:subjectMap [ rr:template "http://example.com/Student/{ID}/{FirstName}"; - rr:graph [ rml:reference "Name"; rr:termType rr:Literal; ] + rr:graphMap [ rml:reference "Name"; rr:termType rr:Literal; ] ]; rr:predicateObjectMap [ From a74ac179838826325364867ef3eb56d2c6cbbcf6 Mon Sep 17 00:00:00 2001 From: Ben De Meester Date: Mon, 9 Mar 2020 10:59:28 +0100 Subject: [PATCH 08/38] added release explanations --- RELEASE.md | 14 ++++++++++++++ 1 file changed, 14 insertions(+) create mode 100644 RELEASE.md diff --git a/RELEASE.md b/RELEASE.md new file mode 100644 index 00000000..eeb976cf --- /dev/null +++ b/RELEASE.md @@ -0,0 +1,14 @@ +Documentation for the release process of the RMLMapper. + +- [ ] Make a new release branch (named `release/X.Y.Z`) +- [ ] Make sure you do not have any `dependency-reduced-pom.xml` file locally, it will be regenerated during the build process +- [ ] Update [the changelog](https://github.com/RMLio/rmlmapper-java/blob/master/CHANGELOG.md) since last release +- [ ] Bump version number + - Check and adjust `bump.sh`, depending on whether the update is major, minor, or patch +- TODO: update the UML_diagrams (see README.md below)? We need to clarify which options are needed +- [ ] Run `mvn clean install` + - This also updates the docs at `/docs/apidocs`. + If for some reason you need to update the docs yourself, + you can do so via `mvn javadoc:javadoc`. +- [ ] If it looks like everything is good at this point, merge the release branch into `master` +- [ ] Make a new release on [the GitHub release page](https://github.com/RMLio/rmlmapper-java/releases) with the most important parts of the changelog From 914c33a91c5656606f0a8cf6c0ac5488f6616916 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Wed, 11 Mar 2020 14:41:49 +0100 Subject: [PATCH 09/38] Add Oracle JDBC driver via classpath --- README.md | 20 +++++++++++++++++++ buildNumber.properties | 4 ++-- pom.xml | 8 -------- .../java/be/ugent/rml/access/RDBAccess.java | 6 +++++- src/main/java/be/ugent/rml/cli/Main.java | 1 - .../be/ugent/rml/functions/FunctionUtils.java | 4 ++-- 6 files changed, 29 insertions(+), 14 deletions(-) diff --git a/README.md b/README.md index f3e48d6d..e5780131 100644 --- a/README.md +++ b/README.md @@ -89,6 +89,26 @@ options: -v,--verbose show more details in debugging output ``` +#### Accessing Oracle Database + +You need to add the Oracle JDBC driver manually to the class path +if you want to access an Oracle Database. +The required driver is `ojdbc8`. + +- Download `ojdbc8.jar` from [Oracle](https://www.oracle.com/database/technologies/jdbc-ucp-122-downloads.html). +- Execute the RMLMapper via + +``` +java -cp 'rmlmapper.jar:ojdbc8-12.2.0.1.jar' be.ugent.rml.cli.Main -m rules.rml.ttl +``` + +The options do the following: + +- `-cp 'rmlmapper.jar:ojdbc8-12.2.0.1.jar'`: Put the jar of the RMLMapper and JDBC driver in the classpath. +- `be.ugent.rml.cli.Main`: `be.ugent.rml.cli.Main` is the entry point of the RMLMapper. +- `-m rules.rml.ttl`: Use the RML rules in the file `rules.rml`.ttl. +The exact same options as the ones mentioned earlier are supported. + ### Library An example of how you can use the RMLMapper as an external library can be found diff --git a/buildNumber.properties b/buildNumber.properties index 9545f187..71ec0a27 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Tue Mar 10 16:44:33 CET 2020 -buildNumber0=155 +#Wed Mar 11 14:36:22 CET 2020 +buildNumber0=158 diff --git a/pom.xml b/pom.xml index 3ed212e4..69c2d8eb 100644 --- a/pom.xml +++ b/pom.xml @@ -134,14 +134,6 @@ commons-validator 1.6 - - - - com.oracle - ojdbc8 - 12.2.0.1 - true - com.github.fnoio grel-functions-java diff --git a/src/main/java/be/ugent/rml/access/RDBAccess.java b/src/main/java/be/ugent/rml/access/RDBAccess.java index e02c7ff0..d2907844 100644 --- a/src/main/java/be/ugent/rml/access/RDBAccess.java +++ b/src/main/java/be/ugent/rml/access/RDBAccess.java @@ -3,7 +3,10 @@ import org.apache.commons.csv.CSVFormat; import org.apache.commons.csv.CSVPrinter; -import java.io.*; +import java.io.ByteArrayInputStream; +import java.io.IOException; +import java.io.InputStream; +import java.io.StringWriter; import java.sql.*; import java.util.HashMap; import java.util.Map; @@ -22,6 +25,7 @@ public class RDBAccess implements Access { private String query; private String contentType; private Map datatypes = new HashMap<>(); + private String oracleJarPath; /** * This constructor takes as arguments the dsn, database, username, password, query, and content type. diff --git a/src/main/java/be/ugent/rml/cli/Main.java b/src/main/java/be/ugent/rml/cli/Main.java index e3f19280..ef5087ac 100644 --- a/src/main/java/be/ugent/rml/cli/Main.java +++ b/src/main/java/be/ugent/rml/cli/Main.java @@ -8,7 +8,6 @@ import be.ugent.rml.metadata.MetadataGenerator; import be.ugent.rml.records.RecordsFactory; import be.ugent.rml.store.QuadStore; -import be.ugent.rml.store.QuadStoreFactory; import be.ugent.rml.store.RDF4JStore; import be.ugent.rml.store.SimpleQuadStore; import be.ugent.rml.term.NamedNode; diff --git a/src/main/java/be/ugent/rml/functions/FunctionUtils.java b/src/main/java/be/ugent/rml/functions/FunctionUtils.java index 16e326f5..cc96bb3c 100644 --- a/src/main/java/be/ugent/rml/functions/FunctionUtils.java +++ b/src/main/java/be/ugent/rml/functions/FunctionUtils.java @@ -1,11 +1,11 @@ package be.ugent.rml.functions; import be.ugent.rml.NAMESPACES; +import be.ugent.rml.Utils; import be.ugent.rml.store.Quad; +import be.ugent.rml.store.QuadStore; import be.ugent.rml.term.NamedNode; import be.ugent.rml.term.Term; -import be.ugent.rml.Utils; -import be.ugent.rml.store.QuadStore; import org.slf4j.Logger; import org.slf4j.LoggerFactory; From 3829252ef1d70d5a9afc85b406f74aaef48d1bc9 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Wed, 11 Mar 2020 15:11:27 +0100 Subject: [PATCH 10/38] print error message when Oracle driver is required but not found --- src/main/java/be/ugent/rml/cli/Main.java | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/src/main/java/be/ugent/rml/cli/Main.java b/src/main/java/be/ugent/rml/cli/Main.java index ef5087ac..046414ee 100644 --- a/src/main/java/be/ugent/rml/cli/Main.java +++ b/src/main/java/be/ugent/rml/cli/Main.java @@ -2,6 +2,7 @@ import be.ugent.rml.Executor; import be.ugent.rml.Utils; +import be.ugent.rml.access.DatabaseType; import be.ugent.rml.conformer.MappingConformer; import be.ugent.rml.functions.FunctionLoader; import be.ugent.rml.functions.lib.IDLabFunctions; @@ -302,7 +303,14 @@ public static void main(String[] args, String basePath) { } result.copyNameSpaces(rmlStore); writeOutput(result, outputFile, outputFormat); - } catch (Exception e) { + } catch (ClassNotFoundException e) { + if (e.getMessage().equals(DatabaseType.ORACLE.getDriver())) { + logger.error("The Oracle JDBC driver was not found. Did you add it to the classpath?"); + } else { + logger.error(e.getMessage()); + } + } + catch (Exception e) { logger.error(e.getMessage()); } } From 6b9a79adffbb6e0ed20940bb08e69ac00e294c8d Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Mon, 23 Mar 2020 12:03:53 +0100 Subject: [PATCH 11/38] One test works! --- .gitignore | 4 +- buildNumber.properties | 4 +- oracle-setup.md | 9 + run-oracle-tests.sh | 10 ++ src/test/java/be/ugent/rml/DBTestCore.java | 49 +++++ .../be/ugent/rml/Mapper_OracleDB_Test.java | 167 ++++++++++++++++++ src/test/java/be/ugent/rml/MySQLTestCore.java | 38 +--- .../RMLTC0001a-OracleDB/mapping.ttl | 36 ++++ .../test-cases/RMLTC0001a-OracleDB/output.nq | 1 + .../RMLTC0001a-OracleDB/resource.sql | 2 + 10 files changed, 280 insertions(+), 40 deletions(-) create mode 100644 oracle-setup.md create mode 100755 run-oracle-tests.sh create mode 100644 src/test/java/be/ugent/rml/DBTestCore.java create mode 100644 src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java create mode 100644 src/test/resources/test-cases/RMLTC0001a-OracleDB/mapping.ttl create mode 100644 src/test/resources/test-cases/RMLTC0001a-OracleDB/output.nq create mode 100644 src/test/resources/test-cases/RMLTC0001a-OracleDB/resource.sql diff --git a/.gitignore b/.gitignore index d2e91178..3aed37a4 100644 --- a/.gitignore +++ b/.gitignore @@ -4,4 +4,6 @@ rmlmapper.iml .DS_Store .settings .vscode -.attach_* \ No newline at end of file +.attach_* +ojdbc*.jar +pom-oracle.xml \ No newline at end of file diff --git a/buildNumber.properties b/buildNumber.properties index 71ec0a27..812590fc 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Wed Mar 11 14:36:22 CET 2020 -buildNumber0=158 +#Mon Mar 23 12:02:49 CET 2020 +buildNumber0=189 diff --git a/oracle-setup.md b/oracle-setup.md new file mode 100644 index 00000000..a1394773 --- /dev/null +++ b/oracle-setup.md @@ -0,0 +1,9 @@ +# How to configure Oracle DB for tests + +1. Connect to the database via `sqlplus sys/test@//193.190.127.196:1521/XE as sysdba` +2. Execute `alter session set "_ORACLE_SCRIPT"=true;` to allow the creation of new users. +3. Create a new user via `CREATE USER rmlmapper_test IDENTIFIED BY test;` +4. Allow the user to connect via `GRANT CONNECT TO rmlmapper_test;` +5. Allow the user to create a session via `GRANT CREATE SESSION TO rmlmapper_test;` +6. Allow the user to create tables via `grant create table to rmlmapper_test;` +7. Allow the user to add data via `alter user rmlmapper_test quota unlimited on users;` \ No newline at end of file diff --git a/run-oracle-tests.sh b/run-oracle-tests.sh new file mode 100755 index 00000000..4fbcb5db --- /dev/null +++ b/run-oracle-tests.sh @@ -0,0 +1,10 @@ +#!/usr/bin/env bash + +cp pom.xml pom-oracle.xml + +dep="\t\t\n\t\t\tcom.oracle\n\t\t\tojdbc8\n\t\t\t12.2.0.1\n\t\t" + +temp=$(echo $dep | sed 's/\//\\\//g') +sed -i "/<\/dependencies>/ s/.*/${temp}\n&/" pom-oracle.xml + +mvn test -f pom-oracle.xml -Dtest=Mapper_OracleDB_Test \ No newline at end of file diff --git a/src/test/java/be/ugent/rml/DBTestCore.java b/src/test/java/be/ugent/rml/DBTestCore.java new file mode 100644 index 00000000..269af97f --- /dev/null +++ b/src/test/java/be/ugent/rml/DBTestCore.java @@ -0,0 +1,49 @@ +package be.ugent.rml; + +import java.io.File; +import java.io.IOException; +import java.nio.charset.StandardCharsets; +import java.nio.file.Files; +import java.nio.file.Path; +import java.nio.file.Paths; +import java.util.Arrays; +import java.util.HashSet; + + +public abstract class DBTestCore extends TestCore { + + protected static HashSet tempFiles = new HashSet<>(); + + protected static String replaceDSNInMappingFile(String path, String connectionString) { + try { + // Read mapping file + String mapping = new String(Files.readAllBytes(Paths.get(Utils.getFile(path, null).getAbsolutePath())), StandardCharsets.UTF_8); + + // Replace "PORT" in mapping file by new port + mapping = mapping.replace("CONNECTIONDSN", connectionString); + + // Write to temp mapping file + + String fileName = Integer.toString(Math.abs(path.hashCode())) + "tempMapping.ttl"; + Path file = Paths.get(fileName); + Files.write(file, Arrays.asList(mapping.split("\n"))); + + String absolutePath = Paths.get(Utils.getFile(fileName, null).getAbsolutePath()).toString(); + tempFiles.add(absolutePath); + + return absolutePath; + + } catch (IOException ex) { + throw new Error(ex.getMessage()); + } + } + + protected static void deleteTempMappingFile(String absolutePath) { + File file = new File(absolutePath); + + if (file.delete()) { + tempFiles.remove(absolutePath); + } + } + +} diff --git a/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java b/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java new file mode 100644 index 00000000..1eaccf93 --- /dev/null +++ b/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java @@ -0,0 +1,167 @@ +package be.ugent.rml; + +import be.ugent.rml.access.DatabaseType; +import org.apache.commons.io.IOUtils; +import org.junit.Rule; +import org.junit.Test; +import org.junit.rules.ExpectedException; +import org.junit.runner.RunWith; +import org.junit.runners.Parameterized; + +import java.io.File; +import java.io.FileInputStream; +import java.io.InputStream; +import java.nio.charset.StandardCharsets; +import java.sql.*; +import java.util.Arrays; +import java.util.Scanner; + +@RunWith(Parameterized.class) +public class Mapper_OracleDB_Test extends DBTestCore { + + protected static String CONNECTIONSTRING = "jdbc:oracle:thin:rmlmapper_test/test@//193.190.127.196:1521/XE"; + + @Parameterized.Parameter(0) + public String testCaseName; + + @Parameterized.Parameter(1) + public Class expectedException; + + @Rule + public ExpectedException thrown = ExpectedException.none(); + + @Parameterized.Parameters(name = "{index}: OracleDB_{0}") + public static Iterable data() { + return Arrays.asList(new Object[][]{ + // scenarios: +// {"RMLTC0000", null}, + {"RMLTC0001a", null}, +// {"RMLTC0001b", null}, +// {"RMLTC0002a", null}, +// {"RMLTC0002b", null}, +// {"RMLTC0002c", Error.class}, +// {"RMLTC0002d", null}, +// {"RMLTC0002e", Error.class}, +// {"RMLTC0002f", null}, +// {"RMLTC0002g", Error.class}, +// {"RMLTC0002h", Error.class}, + // TODO see issue #130 +// {"RMLTC0002i", Error.class}, +// {"RMLTC0002j", null}, + // TODO see issue #130 +// {"RMLTC0003a", Error.class}, +// {"RMLTC0003b", null}, +// {"RMLTC0003c", null}, +// {"RMLTC0004a", null}, +// {"RMLTC0004b", null}, +// {"RMLTC0005a", null}, +// {"RMLTC0005b", null}, +// {"RMLTC0006a", null}, +// {"RMLTC0007a", null}, +// {"RMLTC0007b", null}, +// {"RMLTC0007c", null}, +// {"RMLTC0007d", null}, +// {"RMLTC0007e", null}, +// {"RMLTC0007f", null}, +// {"RMLTC0007g", null}, +// {"RMLTC0007h", Error.class}, +// {"RMLTC0008a", null}, +// {"RMLTC0008b", null}, +// {"RMLTC0008c", null}, +// {"RMLTC0009a", null}, +// {"RMLTC0009b", null}, +// {"RMLTC0009c", null}, +// {"RMLTC0009d", null}, +// {"RMLTC0010a", null}, +// {"RMLTC0010b", null}, +// {"RMLTC0010c", null}, +// {"RMLTC0011a", null}, +// {"RMLTC0011b", null}, +// {"RMLTC0012a", null}, +// {"RMLTC0012b", null}, +// {"RMLTC0012c", Error.class}, +// {"RMLTC0012d", Error.class}, +// {"RMLTC0012e", null}, +// {"RMLTC0013a", null}, +// {"RMLTC0014d", null}, +// {"RMLTC0015a", null}, +// {"RMLTC0015b", Error.class}, +// {"RMLTC0016a", null}, +// {"RMLTC0016b", null}, +// {"RMLTC0016c", null}, +// {"RMLTC0016d", null}, +// {"RMLTC0016e", null}, +// {"RMLTC0018a", null}, +// {"RMLTC0019a", null}, +// {"RMLTC0019b", null}, +// {"RMLTC0020a", null}, +// {"RMLTC0020b", null}, + }); + } + + @Test + public void doMapping() throws Exception { + mappingTest(testCaseName, expectedException); + } + + private void mappingTest(String testCaseName, Class expectedException) throws Exception { + String resourcePath = "test-cases/" + testCaseName + "-OracleDB/resource.sql"; + String mappingPath = "./test-cases/" + testCaseName + "-OracleDB/mapping.ttl"; + String outputPath = "test-cases/" + testCaseName + "-OracleDB/output.nq"; + + String tempMappingPath = replaceDSNInMappingFile(mappingPath, CONNECTIONSTRING); + + File resourceFile = Utils.getFile(resourcePath, null); + InputStream resourceStream = new FileInputStream(resourceFile); + //String resourceStr = IOUtils.toString(resourceStream, StandardCharsets.UTF_8); + + //System.out.println(resourceStr); + + Connection connection = DriverManager.getConnection(CONNECTIONSTRING); + + String dropTablesQuery = "select table_name from user_tables"; + Statement selectTablesStmt = connection.createStatement(); + ResultSet rs = selectTablesStmt.executeQuery(dropTablesQuery); + + while (rs.next()) { + System.out.println(rs.getString("TABLE_NAME")); + Statement dropTableStmt = connection.createStatement(); + dropTableStmt.executeQuery("drop table " + rs.getString("TABLE_NAME")); + } + + //Statement stmt = connection.createStatement(); + //stmt.executeQuery(resourceStr); + + // Load data in database + importSQL(connection, resourceStream); + + // mapping + if (expectedException == null) { + doMapping(tempMappingPath, outputPath); + } else { + doMappingExpectError(tempMappingPath); + } + + deleteTempMappingFile(tempMappingPath); + } + + private void importSQL(Connection conn, InputStream in) throws SQLException { + Scanner s = new Scanner(in); + s.useDelimiter("(;\n?)"); + + try (Statement st = conn.createStatement()) { + while (s.hasNext()) { + String line = s.next(); + if (line.startsWith("/*!") && line.endsWith("*/")) { + int i = line.indexOf(' '); + line = line.substring(i + 1, line.length() - " */".length()); + } + + if (line.trim().length() > 0) { + System.out.println(line); + st.execute(line); + } + } + } + } +} diff --git a/src/test/java/be/ugent/rml/MySQLTestCore.java b/src/test/java/be/ugent/rml/MySQLTestCore.java index f09e22d6..e0a6b7b4 100644 --- a/src/test/java/be/ugent/rml/MySQLTestCore.java +++ b/src/test/java/be/ugent/rml/MySQLTestCore.java @@ -17,12 +17,10 @@ import java.util.Iterator; -public abstract class MySQLTestCore extends TestCore { +public abstract class MySQLTestCore extends DBTestCore { protected static String CONNECTIONSTRING = "jdbc:mysql://localhost:%d/test"; - protected static HashSet tempFiles = new HashSet<>(); - protected static DB mysqlDB; @BeforeClass @@ -69,38 +67,4 @@ public static void stopDBs() throws ManagedProcessException { } } } - - // Utils ----------------------------------------------------------------------------------------------------------- - - protected static String replaceDSNInMappingFile(String path, String connectionString) { - try { - // Read mapping file - String mapping = new String(Files.readAllBytes(Paths.get(Utils.getFile(path, null).getAbsolutePath())), StandardCharsets.UTF_8); - - // Replace "PORT" in mapping file by new port - mapping = mapping.replace("CONNECTIONDSN", connectionString); - - // Write to temp mapping file - - String fileName = Integer.toString(Math.abs(path.hashCode())) + "tempMapping.ttl"; - Path file = Paths.get(fileName); - Files.write(file, Arrays.asList(mapping.split("\n"))); - - String absolutePath = Paths.get(Utils.getFile(fileName, null).getAbsolutePath()).toString(); - tempFiles.add(absolutePath); - - return absolutePath; - - } catch (IOException ex) { - throw new Error(ex.getMessage()); - } - } - - protected static void deleteTempMappingFile(String absolutePath) { - File file = new File(absolutePath); - if (file.delete()) { - tempFiles.remove(absolutePath); - } - } - } diff --git a/src/test/resources/test-cases/RMLTC0001a-OracleDB/mapping.ttl b/src/test/resources/test-cases/RMLTC0001a-OracleDB/mapping.ttl new file mode 100644 index 00000000..da4559aa --- /dev/null +++ b/src/test/resources/test-cases/RMLTC0001a-OracleDB/mapping.ttl @@ -0,0 +1,36 @@ +@prefix rr: . +@prefix foaf: . +@prefix ex: . +@prefix xsd: . +@prefix rml: . +@prefix ql: . +@prefix d2rq: . + +@base . + + + a rr:TriplesMap; + + rml:logicalSource [ + rml:source <#DB_source>; + rr:sqlVersion rr:SQL2008; + rr:tableName "student"; +]; + + rr:subjectMap [ + rr:template "http://example.com/{NAME}" + ]; + + rr:predicateObjectMap [ + rr:predicate foaf:name; + rr:objectMap [ + rml:reference "NAME" + ] + ]. + + +<#DB_source> a d2rq:Database; + d2rq:jdbcDSN "CONNECTIONDSN"; + d2rq:jdbcDriver "oracle.jdbc.driver.OracleDriver"; + d2rq:username "rmlmapper_test"; + d2rq:password "test". diff --git a/src/test/resources/test-cases/RMLTC0001a-OracleDB/output.nq b/src/test/resources/test-cases/RMLTC0001a-OracleDB/output.nq new file mode 100644 index 00000000..efbb5543 --- /dev/null +++ b/src/test/resources/test-cases/RMLTC0001a-OracleDB/output.nq @@ -0,0 +1 @@ + "Venus" . diff --git a/src/test/resources/test-cases/RMLTC0001a-OracleDB/resource.sql b/src/test/resources/test-cases/RMLTC0001a-OracleDB/resource.sql new file mode 100644 index 00000000..93c914c7 --- /dev/null +++ b/src/test/resources/test-cases/RMLTC0001a-OracleDB/resource.sql @@ -0,0 +1,2 @@ +CREATE TABLE student (Name VARCHAR(50)); +INSERT INTO student values ('Venus'); \ No newline at end of file From cb9d9fd619aba98d184d8cf24552ebaef507acc0 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Mon, 23 Mar 2020 12:50:11 +0100 Subject: [PATCH 12/38] disable Oracle tests on Gitlab CI --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 3454e6e1..b7377add 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -4,7 +4,7 @@ variables: # This will suppress any download for dependencies and plugins or upload messages which would clutter the console log. # `showDateTime` will show the passed time in milliseconds. MAVEN_OPTS: "-Dhttps.protocols=TLSv1.2 -Dmaven.repo.local=$CI_PROJECT_DIR/.m2/repository -Dorg.slf4j.simpleLogger.log.org.apache.maven.cli.transfer.Slf4jMavenTransferListener=WARN -Dorg.slf4j.simpleLogger.showDateTime=true -Djava.awt.headless=true" - MAVEN_CLI_OPTS: "--batch-mode --errors --fail-at-end --show-version -DinstallAtEnd=true -DdeployAtEnd=true" + MAVEN_CLI_OPTS: "--batch-mode --errors --fail-at-end --show-version -DinstallAtEnd=true -DdeployAtEnd=true -Dtest=!Mapper_OracleDB_Test" # Postgres POSTGRES_DB: postgres POSTGRES_USER: postgres From 83d011681f11830969ebc0d549b2b55e2a03a937 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Mon, 23 Mar 2020 14:30:38 +0100 Subject: [PATCH 13/38] fix: add driver to RML rules when using r2rml arguments --- buildNumber.properties | 4 ++-- run-tests-wo-oracle.sh | 3 +++ src/main/java/be/ugent/rml/cli/Main.java | 9 +-------- src/main/java/be/ugent/rml/conformer/R2RMLConverter.java | 8 ++++++++ 4 files changed, 14 insertions(+), 10 deletions(-) create mode 100755 run-tests-wo-oracle.sh diff --git a/buildNumber.properties b/buildNumber.properties index 812590fc..1b28a39e 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Mon Mar 23 12:02:49 CET 2020 -buildNumber0=189 +#Mon Mar 23 14:18:55 CET 2020 +buildNumber0=191 diff --git a/run-tests-wo-oracle.sh b/run-tests-wo-oracle.sh new file mode 100755 index 00000000..d4c7792e --- /dev/null +++ b/run-tests-wo-oracle.sh @@ -0,0 +1,3 @@ +#!/usr/bin/env bash + +mvn test -Dtest=!Mapper_OracleDB_Test \ No newline at end of file diff --git a/src/main/java/be/ugent/rml/cli/Main.java b/src/main/java/be/ugent/rml/cli/Main.java index 046414ee..37264605 100644 --- a/src/main/java/be/ugent/rml/cli/Main.java +++ b/src/main/java/be/ugent/rml/cli/Main.java @@ -303,14 +303,7 @@ public static void main(String[] args, String basePath) { } result.copyNameSpaces(rmlStore); writeOutput(result, outputFile, outputFormat); - } catch (ClassNotFoundException e) { - if (e.getMessage().equals(DatabaseType.ORACLE.getDriver())) { - logger.error("The Oracle JDBC driver was not found. Did you add it to the classpath?"); - } else { - logger.error(e.getMessage()); - } - } - catch (Exception e) { + } catch (Exception e) { logger.error(e.getMessage()); } } diff --git a/src/main/java/be/ugent/rml/conformer/R2RMLConverter.java b/src/main/java/be/ugent/rml/conformer/R2RMLConverter.java index 51f75299..8a0c655b 100644 --- a/src/main/java/be/ugent/rml/conformer/R2RMLConverter.java +++ b/src/main/java/be/ugent/rml/conformer/R2RMLConverter.java @@ -1,6 +1,7 @@ package be.ugent.rml.conformer; import be.ugent.rml.NAMESPACES; +import be.ugent.rml.access.DatabaseType; import be.ugent.rml.store.QuadStore; import be.ugent.rml.term.Literal; @@ -74,6 +75,13 @@ public void convert(Term triplesMap, Map mappingOptions) throws for (Map.Entry entry : mappingOptions.entrySet()) { String removePrefix = entry.getKey(); store.addQuad(database, new NamedNode(D2RQ + removePrefix), new Literal(entry.getValue())); + + if (removePrefix.equals("jdbcDSN")) { + DatabaseType type = DatabaseType.getDBtype(entry.getValue()); + String driver = type.getDriver(); + + store.addQuad(database, new NamedNode(D2RQ + "jdbcDriver"), new Literal(driver)); + } } } // } From 1508a476f143a76cf40c5ae83e425d39bf24c0c8 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Tue, 24 Mar 2020 15:08:03 +0100 Subject: [PATCH 14/38] fix R2RMLConverter tests --- buildNumber.properties | 4 ++-- src/test/java/be/ugent/rml/conformer/R2RMLConverterTest.java | 4 ++-- src/test/resources/conformer/r2rml/basic/mapping.rml.ttl | 4 +++- src/test/resources/conformer/r2rml/sqlQuery/mapping.rml.ttl | 3 ++- 4 files changed, 9 insertions(+), 6 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index 1b28a39e..f466669d 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Mon Mar 23 14:18:55 CET 2020 -buildNumber0=191 +#Tue Mar 24 15:05:38 CET 2020 +buildNumber0=195 diff --git a/src/test/java/be/ugent/rml/conformer/R2RMLConverterTest.java b/src/test/java/be/ugent/rml/conformer/R2RMLConverterTest.java index cb4133af..b138717f 100644 --- a/src/test/java/be/ugent/rml/conformer/R2RMLConverterTest.java +++ b/src/test/java/be/ugent/rml/conformer/R2RMLConverterTest.java @@ -86,7 +86,7 @@ public void basic() throws Exception { String input = folder + "mapping.r2rml.ttl"; String output = folder + "mapping.rml.ttl"; Map options = new HashMap<>(); - options.put("jdbcDSN", "CONNECTIONDSN"); + options.put("jdbcDSN", "jdbc:mysql://localhost:1234/test"); options.put("password", "YourSTRONG!Passw0rd;"); options.put("username", "sa"); @@ -104,7 +104,7 @@ public void sqlQuery() throws Exception { String output = folder + "mapping.rml.ttl"; Map options = new HashMap<>(); - options.put("jdbcDSN", "CONNECTIONDSN"); + options.put("jdbcDSN", "jdbc:mysql://localhost:1234/test"); options.put("password", "YourSTRONG!Passw0rd;"); options.put("username", "sa"); diff --git a/src/test/resources/conformer/r2rml/basic/mapping.rml.ttl b/src/test/resources/conformer/r2rml/basic/mapping.rml.ttl index 8d6b9bb2..3d6819b8 100644 --- a/src/test/resources/conformer/r2rml/basic/mapping.rml.ttl +++ b/src/test/resources/conformer/r2rml/basic/mapping.rml.ttl @@ -24,7 +24,9 @@ a ; - "CONNECTIONDSN" ; + "jdbc:mysql://localhost:1234/test" ; + + "com.mysql.cj.jdbc.Driver" ; "YourSTRONG!Passw0rd;" ; diff --git a/src/test/resources/conformer/r2rml/sqlQuery/mapping.rml.ttl b/src/test/resources/conformer/r2rml/sqlQuery/mapping.rml.ttl index c4ddfb69..208124e8 100644 --- a/src/test/resources/conformer/r2rml/sqlQuery/mapping.rml.ttl +++ b/src/test/resources/conformer/r2rml/sqlQuery/mapping.rml.ttl @@ -32,6 +32,7 @@ :TriplesMap1_database a d2rq:Database ; - d2rq:jdbcDSN "CONNECTIONDSN" ; + d2rq:jdbcDSN "jdbc:mysql://localhost:1234/test" ; + d2rq:jdbcDriver "com.mysql.cj.jdbc.Driver" ; d2rq:password "YourSTRONG!Passw0rd;" ; d2rq:username "sa" . From 98a2523a72aea56ce9632c056b22f57ab7768c61 Mon Sep 17 00:00:00 2001 From: Ben De Meester Date: Mon, 30 Mar 2020 09:27:21 +0200 Subject: [PATCH 15/38] added more datatypes --- .../java/be/ugent/rml/functions/FunctionUtils.java | 14 ++++++++++++++ 1 file changed, 14 insertions(+) diff --git a/src/main/java/be/ugent/rml/functions/FunctionUtils.java b/src/main/java/be/ugent/rml/functions/FunctionUtils.java index 16e326f5..db9445f4 100644 --- a/src/main/java/be/ugent/rml/functions/FunctionUtils.java +++ b/src/main/java/be/ugent/rml/functions/FunctionUtils.java @@ -79,12 +79,26 @@ private static Class getParamType(Term type) { String typeStr = type.getValue(); switch (typeStr) { + // This is quite crude, based on https://www.w3.org/TR/xmlschema11-2/#built-in-datatypes case "http://www.w3.org/2001/XMLSchema#string": return String.class; case "http://www.w3.org/2001/XMLSchema#integer": + case "http://www.w3.org/2001/XMLSchema#long": + case "http://www.w3.org/2001/XMLSchema#int": + case "http://www.w3.org/2001/XMLSchema#short": + case "http://www.w3.org/2001/XMLSchema#byte": + case "http://www.w3.org/2001/XMLSchema#nonNegativeInteger": + case "http://www.w3.org/2001/XMLSchema#positiveInteger": + case "http://www.w3.org/2001/XMLSchema#unsignedLong": + case "http://www.w3.org/2001/XMLSchema#unsignedInt": + case "http://www.w3.org/2001/XMLSchema#unsignedShort": + case "http://www.w3.org/2001/XMLSchema#unsignedByte": + case "http://www.w3.org/2001/XMLSchema#nonPositiveInteger": + case "http://www.w3.org/2001/XMLSchema#negativeInteger": return Integer.class; case "http://www.w3.org/2001/XMLSchema#decimal": case "http://www.w3.org/2001/XMLSchema#double": + case "http://www.w3.org/2001/XMLSchema#float": return Double.class; case "http://www.w3.org/1999/02/22-rdf-syntax-ns#List": return List.class; From d97dbe76e7a0325fa00dc7a4d9e1394466b948db Mon Sep 17 00:00:00 2001 From: Ben De Meester Date: Mon, 30 Mar 2020 09:32:56 +0200 Subject: [PATCH 16/38] updated changelog --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 486d37cd..de59b1dc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,6 +7,10 @@ and this project adheres to [Semantic Versioning](http://semver.org/spec/v2.0.0. ## Unreleased +### Changed + +- Functions support more datatypes: `be/ugent/rml/functions/FunctionUtils.java` + ## [4.7.0] - 2020-03-09 ### Added From dd5727b976200c714c50498b50c56d256a8eae9e Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Mon, 30 Mar 2020 15:54:49 +0200 Subject: [PATCH 17/38] refactor @beforeclass and @afterclass of mysql tests --- buildNumber.properties | 4 +-- .../be/ugent/rml/Arguments_Test_MySQL.java | 20 +++++++++++++- .../java/be/ugent/rml/Mapper_MySQL_Test.java | 19 +++++++++++++ src/test/java/be/ugent/rml/MySQLTestCore.java | 27 +++++++------------ 4 files changed, 50 insertions(+), 20 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index f466669d..8de03959 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Tue Mar 24 15:05:38 CET 2020 -buildNumber0=195 +#Mon Mar 30 15:50:50 CEST 2020 +buildNumber0=209 diff --git a/src/test/java/be/ugent/rml/Arguments_Test_MySQL.java b/src/test/java/be/ugent/rml/Arguments_Test_MySQL.java index ed8642e5..bd3ced15 100644 --- a/src/test/java/be/ugent/rml/Arguments_Test_MySQL.java +++ b/src/test/java/be/ugent/rml/Arguments_Test_MySQL.java @@ -2,6 +2,9 @@ import be.ugent.rml.cli.Main; import ch.vorburger.exec.ManagedProcessException; +import ch.vorburger.mariadb4j.DB; +import org.junit.AfterClass; +import org.junit.BeforeClass; import org.junit.Test; import java.io.File; @@ -11,6 +14,21 @@ public class Arguments_Test_MySQL extends MySQLTestCore { + private static String CONNECTIONSTRING; + private static DB mysqlDB; + + @BeforeClass + public static void before() throws Exception { + int portNumber = Utils.getFreePortNumber(); + CONNECTIONSTRING = getConnectionString(portNumber); + mysqlDB = setUpMySQLDBInstance(portNumber); + } + + @AfterClass + public static void after() throws ManagedProcessException { + stopDBs(mysqlDB); + } + @Test public void executeR2RML() throws Exception { String cwd = (new File( "./src/test/resources/argument/r2rml")).getAbsolutePath(); @@ -27,7 +45,7 @@ public void executeR2RML() throws Exception { fail(); } - Main.main(("-m " + mappingFilePath + " -o " + actualPath + " --r2rml-jdbcDSN " + CONNECTIONSTRING + " --r2rml-username root").split(" "), cwd); + Main.main(("-m " + mappingFilePath + " -o " + actualPath + " --r2rml-jdbcDSN " + CONNECTIONSTRING + " --r2rml-username root -v").split(" "), cwd); compareFiles( expectedPath, actualPath, diff --git a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java index 4c8cc4b2..acfeea7b 100644 --- a/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_MySQL_Test.java @@ -1,5 +1,9 @@ package be.ugent.rml; +import ch.vorburger.exec.ManagedProcessException; +import ch.vorburger.mariadb4j.DB; +import org.junit.AfterClass; +import org.junit.BeforeClass; import org.junit.Rule; import org.junit.Test; import org.junit.rules.ExpectedException; @@ -11,6 +15,21 @@ @RunWith(Parameterized.class) public class Mapper_MySQL_Test extends MySQLTestCore { + private static String CONNECTIONSTRING; + private static DB mysqlDB; + + @BeforeClass + public static void before() throws Exception { + int portNumber = Utils.getFreePortNumber(); + CONNECTIONSTRING = getConnectionString(portNumber); + mysqlDB = setUpMySQLDBInstance(portNumber); + } + + @AfterClass + public static void after() throws ManagedProcessException { + stopDBs(mysqlDB); + } + @Parameterized.Parameter(0) public String testCaseName; diff --git a/src/test/java/be/ugent/rml/MySQLTestCore.java b/src/test/java/be/ugent/rml/MySQLTestCore.java index e0a6b7b4..2afd3b76 100644 --- a/src/test/java/be/ugent/rml/MySQLTestCore.java +++ b/src/test/java/be/ugent/rml/MySQLTestCore.java @@ -19,31 +19,24 @@ public abstract class MySQLTestCore extends DBTestCore { - protected static String CONNECTIONSTRING = "jdbc:mysql://localhost:%d/test"; + protected static String CONNECTIONSTRING_TEMPLATE = "jdbc:mysql://localhost:%d/test"; - protected static DB mysqlDB; - - @BeforeClass - public static void startDBs() throws Exception { - int PORTNUMBER_MYSQL; - try { - PORTNUMBER_MYSQL = Utils.getFreePortNumber(); - } catch (Exception ex) { - throw new Error("Could not find a free port number for RDBs testing."); - } - - CONNECTIONSTRING = String.format(CONNECTIONSTRING, PORTNUMBER_MYSQL); + protected static String getConnectionString(int portNumber) { + return String.format(CONNECTIONSTRING_TEMPLATE, portNumber); + } + protected static DB setUpMySQLDBInstance(int portNumber) throws ManagedProcessException { DBConfigurationBuilder configBuilder = DBConfigurationBuilder.newBuilder(); - configBuilder.setPort(PORTNUMBER_MYSQL); + configBuilder.setPort(portNumber); configBuilder.addArg("--user=root"); configBuilder.addArg("--sql-mode=STRICT_TRANS_TABLES,ERROR_FOR_DIVISION_BY_ZERO,NO_AUTO_CREATE_USER,NO_ENGINE_SUBSTITUTION,ANSI_QUOTES"); - mysqlDB = DB.newEmbeddedDB(configBuilder.build()); + DB mysqlDB = DB.newEmbeddedDB(configBuilder.build()); mysqlDB.start(); + + return mysqlDB; } - @AfterClass - public static void stopDBs() throws ManagedProcessException { + protected static void stopDBs(DB mysqlDB) throws ManagedProcessException { if (mysqlDB != null) { mysqlDB.stop(); } From b6abc02c42437e6e007dc49953e0a7f76a3692d2 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 15:07:13 +0200 Subject: [PATCH 18/38] try new maven image --- .gitlab-ci.yml | 2 +- buildNumber.properties | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index b7377add..68f4973c 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -1,4 +1,4 @@ -image: maven:3.5.0-jdk-8 +image: gitlab.ilabt.imec.be:4567/rml/util/mvn-oracle-docker:latest variables: # This will suppress any download for dependencies and plugins or upload messages which would clutter the console log. diff --git a/buildNumber.properties b/buildNumber.properties index 8de03959..f4c28085 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Mon Mar 30 15:50:50 CEST 2020 -buildNumber0=209 +#Fri Apr 17 09:42:41 CEST 2020 +buildNumber0=210 From 8d20d22c26475519128cf3b0f963b93d9508c0e7 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 15:10:46 +0200 Subject: [PATCH 19/38] update verify script --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 68f4973c..09c40cd6 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -20,7 +20,7 @@ cache: verify: script: - - 'mvn $MAVEN_CLI_OPTS test' + - '$MAVEN_CLI_OPTS test' services: - postgres:10.4 From 590648dd4a463aeb161e4e4ff54044f8f7351611 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 15:43:52 +0200 Subject: [PATCH 20/38] update verify script --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 09c40cd6..2149d68b 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -20,7 +20,7 @@ cache: verify: script: - - '$MAVEN_CLI_OPTS test' + - './entrypoint.sh $MAVEN_CLI_OPTS test' services: - postgres:10.4 From 6809f6f65140ced38f916e0636fa681229257764 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 15:46:01 +0200 Subject: [PATCH 21/38] update verify script --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 2149d68b..e4efea8a 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -20,7 +20,7 @@ cache: verify: script: - - './entrypoint.sh $MAVEN_CLI_OPTS test' + - '/entrypoint.sh $MAVEN_CLI_OPTS test' services: - postgres:10.4 From f3d2caba5a885f04c728c432e33de5e6c0c121c4 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 15:54:26 +0200 Subject: [PATCH 22/38] enable Oracle tests --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index e4efea8a..9f8d537a 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -4,7 +4,7 @@ variables: # This will suppress any download for dependencies and plugins or upload messages which would clutter the console log. # `showDateTime` will show the passed time in milliseconds. MAVEN_OPTS: "-Dhttps.protocols=TLSv1.2 -Dmaven.repo.local=$CI_PROJECT_DIR/.m2/repository -Dorg.slf4j.simpleLogger.log.org.apache.maven.cli.transfer.Slf4jMavenTransferListener=WARN -Dorg.slf4j.simpleLogger.showDateTime=true -Djava.awt.headless=true" - MAVEN_CLI_OPTS: "--batch-mode --errors --fail-at-end --show-version -DinstallAtEnd=true -DdeployAtEnd=true -Dtest=!Mapper_OracleDB_Test" + MAVEN_CLI_OPTS: "--batch-mode --errors --fail-at-end --show-version -DinstallAtEnd=true -DdeployAtEnd=true" # Postgres POSTGRES_DB: postgres POSTGRES_USER: postgres From 13b378f877a8e4e132e4e51a94dd82fc56e8dd85 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 16:02:56 +0200 Subject: [PATCH 23/38] add stages --- .gitlab-ci.yml | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 9f8d537a..6277e9cf 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -1,5 +1,9 @@ image: gitlab.ilabt.imec.be:4567/rml/util/mvn-oracle-docker:latest +stages: + - test + - test-oracle + variables: # This will suppress any download for dependencies and plugins or upload messages which would clutter the console log. # `showDateTime` will show the passed time in milliseconds. @@ -18,9 +22,15 @@ cache: paths: - .m2/repository -verify: +test: + name: test + script: + - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=!Mapper_OracleDB_Test test' + +test-oracle: + name: test-oracle script: - - '/entrypoint.sh $MAVEN_CLI_OPTS test' + - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=Mapper_OracleDB_Test test' services: - postgres:10.4 From 3730160aa63d48a613862488f771eab6201a5ff8 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 16:04:36 +0200 Subject: [PATCH 24/38] fix stages --- .gitlab-ci.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 6277e9cf..bb06fac9 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -23,12 +23,12 @@ cache: - .m2/repository test: - name: test + stage: test script: - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=!Mapper_OracleDB_Test test' test-oracle: - name: test-oracle + stage: test-oracle script: - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=Mapper_OracleDB_Test test' From b8e136259f6a3366d3190831302488ee9ce07e1a Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 16:13:45 +0200 Subject: [PATCH 25/38] separate image per stage --- .gitlab-ci.yml | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index bb06fac9..8be2f72d 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -1,5 +1,3 @@ -image: gitlab.ilabt.imec.be:4567/rml/util/mvn-oracle-docker:latest - stages: - test - test-oracle @@ -24,11 +22,13 @@ cache: test: stage: test + image: maven:3.5.0-jdk-8 script: - - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=!Mapper_OracleDB_Test test' + - 'mvn $MAVEN_CLI_OPTS -Dtest=!Mapper_OracleDB_Test test' test-oracle: stage: test-oracle + image: gitlab.ilabt.imec.be:4567/rml/util/mvn-oracle-docker:latest script: - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=Mapper_OracleDB_Test test' From 029657904bd0b8fe209eaa12b54a4dce79f04d33 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 17 Apr 2020 16:17:29 +0200 Subject: [PATCH 26/38] use updated oracle docker --- .gitlab-ci.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 8be2f72d..7a5a0f69 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -30,7 +30,7 @@ test-oracle: stage: test-oracle image: gitlab.ilabt.imec.be:4567/rml/util/mvn-oracle-docker:latest script: - - '/entrypoint.sh $MAVEN_CLI_OPTS -Dtest=Mapper_OracleDB_Test test' + - '/entrypoint.sh' services: - postgres:10.4 From 1ad91c5c5473a240a35b73f17704b4cf8b5cc711 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 7 May 2020 13:59:11 +0200 Subject: [PATCH 27/38] disable gitlab cache --- .gitlab-ci.yml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 7a5a0f69..f99bbb81 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -15,10 +15,10 @@ variables: ACCEPT_EULA: Y SA_PASSWORD: "YourSTRONG!Passw0rd" -cache: - key: ${CI_JOB_NAME} - paths: - - .m2/repository +# cache: +# key: ${CI_JOB_NAME} +# paths: +# - .m2/repository test: stage: test From 192fad8fe4495ebb9e0588af5ecb5af45abaa1fd Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Thu, 7 May 2020 14:14:53 +0200 Subject: [PATCH 28/38] enable gitlab cache --- .gitlab-ci.yml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index f99bbb81..7a5a0f69 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -15,10 +15,10 @@ variables: ACCEPT_EULA: Y SA_PASSWORD: "YourSTRONG!Passw0rd" -# cache: -# key: ${CI_JOB_NAME} -# paths: -# - .m2/repository +cache: + key: ${CI_JOB_NAME} + paths: + - .m2/repository test: stage: test From 4014b24470dfcc257a835f3523865cf690f8fcee Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Fri, 8 May 2020 13:32:43 +0200 Subject: [PATCH 29/38] use own spotlight and new oracle instance --- buildNumber.properties | 4 ++-- mappertest.rspec | 11 +++++++++++ src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java | 2 +- .../ugent/rml/functions/lib/IDLabFunctionsTest.java | 7 ++++--- 4 files changed, 18 insertions(+), 6 deletions(-) create mode 100644 mappertest.rspec diff --git a/buildNumber.properties b/buildNumber.properties index f4c28085..369bfb85 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Fri Apr 17 09:42:41 CEST 2020 -buildNumber0=210 +#Fri May 08 13:31:07 CEST 2020 +buildNumber0=225 diff --git a/mappertest.rspec b/mappertest.rspec new file mode 100644 index 00000000..ffdf2511 --- /dev/null +++ b/mappertest.rspec @@ -0,0 +1,11 @@ + + + + + + + + + + + \ No newline at end of file diff --git a/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java b/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java index 1eaccf93..0381b22a 100644 --- a/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java +++ b/src/test/java/be/ugent/rml/Mapper_OracleDB_Test.java @@ -19,7 +19,7 @@ @RunWith(Parameterized.class) public class Mapper_OracleDB_Test extends DBTestCore { - protected static String CONNECTIONSTRING = "jdbc:oracle:thin:rmlmapper_test/test@//193.190.127.196:1521/XE"; + protected static String CONNECTIONSTRING = "jdbc:oracle:thin:rmlmapper_test/test@//hp074.utah.cloudlab.us:1521/XE"; @Parameterized.Parameter(0) public String testCaseName; diff --git a/src/test/java/be/ugent/rml/functions/lib/IDLabFunctionsTest.java b/src/test/java/be/ugent/rml/functions/lib/IDLabFunctionsTest.java index 64d9e82d..17582fb4 100644 --- a/src/test/java/be/ugent/rml/functions/lib/IDLabFunctionsTest.java +++ b/src/test/java/be/ugent/rml/functions/lib/IDLabFunctionsTest.java @@ -12,18 +12,19 @@ public class IDLabFunctionsTest { @Test public void dbpediaSpotlight() { - List entities = IDLabFunctions.dbpediaSpotlight("Barack Obama", "https://api.dbpedia-spotlight.org/en"); + String endpoint = "http://hp049.utah.cloudlab.us:2222/rest"; + List entities = IDLabFunctions.dbpediaSpotlight("Barack Obama", endpoint); ArrayList expected = new ArrayList<>(); expected.add("http://dbpedia.org/resource/Barack_Obama"); assertThat(entities, CoreMatchers.is(expected)); - entities = IDLabFunctions.dbpediaSpotlight("", "https://api.dbpedia-spotlight.org/en"); + entities = IDLabFunctions.dbpediaSpotlight("", endpoint); expected = new ArrayList<>(); assertThat(entities, CoreMatchers.is(expected)); - entities = IDLabFunctions.dbpediaSpotlight("a", "https://api.dbpedia-spotlight.org/en"); + entities = IDLabFunctions.dbpediaSpotlight("a", endpoint); expected = new ArrayList<>(); assertThat(entities, CoreMatchers.is(expected)); From 96e4400075cb3bbaed97a58c0661e57b7527553f Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Tue, 12 May 2020 10:17:01 +0200 Subject: [PATCH 30/38] update changelog --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index de59b1dc..63d827d0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,6 +7,10 @@ and this project adheres to [Semantic Versioning](http://semver.org/spec/v2.0.0. ## Unreleased +### Added +- Oracle driver information in README (see [issue 142](https://gitlab.ilabt.imec.be/rml/proc/rmlmapper-java/-/issues/142)) +- Support Oracle databases (see [issue 160](https://gitlab.ilabt.imec.be/rml/proc/rmlmapper-java/-/issues/160)) + ### Changed - Functions support more datatypes: `be/ugent/rml/functions/FunctionUtils.java` From bfb93a910cd98aab5a5885c51c7c5b78b4e0422e Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Tue, 12 May 2020 10:54:30 +0200 Subject: [PATCH 31/38] add single test script --- README.md | 2 + buildNumber.properties | 4 +- run-oracle-tests.sh | 10 ----- run-tests-wo-oracle.sh | 3 -- test.sh | 85 ++++++++++++++++++++++++++++++++++++++++++ 5 files changed, 89 insertions(+), 15 deletions(-) delete mode 100755 run-oracle-tests.sh delete mode 100755 run-tests-wo-oracle.sh create mode 100755 test.sh diff --git a/README.md b/README.md index e5780131..74609d8b 100644 --- a/README.md +++ b/README.md @@ -182,6 +182,8 @@ at [./src/test/java/be/ugent/rml/readme/ReadmeFunctionTest.java](https://github. ## Testing +Run the tests via `test.sh`. + ### RDBs Make sure you have [Docker](https://www.docker.com) running. diff --git a/buildNumber.properties b/buildNumber.properties index 369bfb85..fcf4ce4b 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Fri May 08 13:31:07 CEST 2020 -buildNumber0=225 +#Tue May 12 10:49:01 CEST 2020 +buildNumber0=232 diff --git a/run-oracle-tests.sh b/run-oracle-tests.sh deleted file mode 100755 index 4fbcb5db..00000000 --- a/run-oracle-tests.sh +++ /dev/null @@ -1,10 +0,0 @@ -#!/usr/bin/env bash - -cp pom.xml pom-oracle.xml - -dep="\t\t\n\t\t\tcom.oracle\n\t\t\tojdbc8\n\t\t\t12.2.0.1\n\t\t" - -temp=$(echo $dep | sed 's/\//\\\//g') -sed -i "/<\/dependencies>/ s/.*/${temp}\n&/" pom-oracle.xml - -mvn test -f pom-oracle.xml -Dtest=Mapper_OracleDB_Test \ No newline at end of file diff --git a/run-tests-wo-oracle.sh b/run-tests-wo-oracle.sh deleted file mode 100755 index d4c7792e..00000000 --- a/run-tests-wo-oracle.sh +++ /dev/null @@ -1,3 +0,0 @@ -#!/usr/bin/env bash - -mvn test -Dtest=!Mapper_OracleDB_Test \ No newline at end of file diff --git a/test.sh b/test.sh new file mode 100755 index 00000000..bc9ffd4c --- /dev/null +++ b/test.sh @@ -0,0 +1,85 @@ +#!/usr/bin/env bash + +## Prints message when verbose is enabled. +log () { + local MESSAGE=$1 + + if [[ "$VERBOSE" == "true" ]]; then + >&2 echo $MESSAGE + fi +} + +SKIP_ORACLE_TESTS=false +ONLY_ORACLE_TESTS=false + +# Process command line arguments +while [[ $# -gt 0 ]] +do +key="$1" + +case $key in + -n|--no-oracle) + SKIP_ORACLE_TESTS=true + shift # past argument + ;; + -o|--only-oracle) + ONLY_ORACLE_TESTS=true + shift # past argument + ;; + -v|--verbose) + VERBOSE=true + shift # past argument + ;; + -h|--help) + echo "Usage information: " + echo + echo " -n|--no-oracle Skip Oracle tests." + echo " -o|--only-oracle Only run Oracle tests." + echo " -v|--verbose Output more information." + echo " -h|--help The usage of information." + exit 0; + ;; +esac +done + +if [[ "$SKIP_ORACLE_TESTS" == "true" && "$ONLY_ORACLE_TESTS" == "true" ]]; then + >&2 echo "Error: Either use -n|--no-oracle or -o|--only-oracle, but not both." + exit 1 +fi + +log "Skip Oracle tests: $SKIP_ORACLE_TESTS" +log "Only Oracle tests: $ONLY_ORACLE_TESTS" +log "" + +if [[ "$ONLY_ORACLE_TESTS" != "true" ]]; then + log "Running all tests except Oracle tests." + mvn test -Dtest=!Mapper_OracleDB_Test +fi + +if [ $? -eq 0 ]; then + if [[ "$SKIP_ORACLE_TESTS" != "true" ]]; then + log "Running all Oracle tests." + cp pom.xml pom-oracle.xml + + dep="\t\t\n\t\t\tcom.oracle\n\t\t\tojdbc8\n\t\t\t12.2.0.1\n\t\t" + + temp=$(echo $dep | sed 's/\//\\\//g') + sed -i "/<\/dependencies>/ s/.*/${temp}\n&/" pom-oracle.xml + + mvn test -f pom-oracle.xml -Dtest=Mapper_OracleDB_Test + + rm pom-oracle.xml + + if [ $? -eq 0 ]; then + log "All tests are done." + else + >&2 echo "Some of the tests failed." + exit 1 + fi + else + log "All tests are done." + fi +else + >&2 echo "Some of the tests failed." + exit 1 +fi \ No newline at end of file From 19c4b87915e666a769e26f16b8169dd09a99e081 Mon Sep 17 00:00:00 2001 From: Pieter Heyvaert Date: Tue, 19 May 2020 08:52:01 +0200 Subject: [PATCH 32/38] restore tests 5b, 12a, 12e --- buildNumber.properties | 4 +- docs/apidocs/allclasses-index.html | 4 +- docs/apidocs/allpackages-index.html | 4 +- docs/apidocs/be/ugent/rml/Executor.html | 6 +- docs/apidocs/be/ugent/rml/Initializer.html | 6 +- docs/apidocs/be/ugent/rml/Mapping.html | 6 +- docs/apidocs/be/ugent/rml/MappingFactory.html | 60 ++---------------- docs/apidocs/be/ugent/rml/MappingInfo.html | 6 +- docs/apidocs/be/ugent/rml/NAMESPACES.html | 6 +- .../be/ugent/rml/PredicateObjectGraph.html | 6 +- .../rml/PredicateObjectGraphMapping.html | 6 +- .../rml/RecordFunctionExecutorFactory.html | 6 +- docs/apidocs/be/ugent/rml/TEMPLATETYPE.html | 6 +- docs/apidocs/be/ugent/rml/Template.html | 6 +- .../apidocs/be/ugent/rml/TemplateElement.html | 6 +- docs/apidocs/be/ugent/rml/Utils.html | 6 +- .../be/ugent/rml/ValuedJoinCondition.html | 6 +- docs/apidocs/be/ugent/rml/access/Access.html | 4 +- .../be/ugent/rml/access/AccessFactory.html | 6 +- .../be/ugent/rml/access/DatabaseType.html | 6 +- .../be/ugent/rml/access/LocalFileAccess.html | 6 +- .../be/ugent/rml/access/RDBAccess.html | 6 +- .../be/ugent/rml/access/RemoteFileAccess.html | 6 +- .../rml/access/SPARQLEndpointAccess.html | 6 +- .../be/ugent/rml/access/class-use/Access.html | 4 +- .../rml/access/class-use/AccessFactory.html | 4 +- .../rml/access/class-use/DatabaseType.html | 4 +- .../rml/access/class-use/LocalFileAccess.html | 4 +- .../ugent/rml/access/class-use/RDBAccess.html | 4 +- .../access/class-use/RemoteFileAccess.html | 4 +- .../class-use/SPARQLEndpointAccess.html | 4 +- .../be/ugent/rml/access/package-summary.html | 4 +- .../be/ugent/rml/access/package-tree.html | 4 +- .../be/ugent/rml/access/package-use.html | 4 +- .../be/ugent/rml/class-use/Executor.html | 4 +- .../be/ugent/rml/class-use/Initializer.html | 4 +- .../be/ugent/rml/class-use/Mapping.html | 4 +- .../ugent/rml/class-use/MappingFactory.html | 4 +- .../be/ugent/rml/class-use/MappingInfo.html | 4 +- .../be/ugent/rml/class-use/NAMESPACES.html | 4 +- .../rml/class-use/PredicateObjectGraph.html | 4 +- .../PredicateObjectGraphMapping.html | 4 +- .../RecordFunctionExecutorFactory.html | 4 +- .../be/ugent/rml/class-use/TEMPLATETYPE.html | 4 +- .../be/ugent/rml/class-use/Template.html | 4 +- .../ugent/rml/class-use/TemplateElement.html | 4 +- .../apidocs/be/ugent/rml/class-use/Utils.html | 4 +- .../rml/class-use/ValuedJoinCondition.html | 4 +- docs/apidocs/be/ugent/rml/cli/Main.html | 6 +- .../be/ugent/rml/cli/class-use/Main.html | 4 +- .../be/ugent/rml/cli/package-summary.html | 4 +- .../be/ugent/rml/cli/package-tree.html | 4 +- .../apidocs/be/ugent/rml/cli/package-use.html | 4 +- .../ugent/rml/conformer/MappingConformer.html | 6 +- .../ugent/rml/conformer/R2RMLConverter.html | 6 +- .../conformer/class-use/MappingConformer.html | 4 +- .../conformer/class-use/R2RMLConverter.html | 4 +- .../ugent/rml/conformer/package-summary.html | 4 +- .../be/ugent/rml/conformer/package-tree.html | 4 +- .../be/ugent/rml/conformer/package-use.html | 4 +- .../rml/extractor/ConstantExtractor.html | 6 +- .../be/ugent/rml/extractor/Extractor.html | 4 +- .../rml/extractor/ReferenceExtractor.html | 6 +- .../class-use/ConstantExtractor.html | 4 +- .../rml/extractor/class-use/Extractor.html | 4 +- .../class-use/ReferenceExtractor.html | 4 +- .../ugent/rml/extractor/package-summary.html | 4 +- .../be/ugent/rml/extractor/package-tree.html | 4 +- .../be/ugent/rml/extractor/package-use.html | 4 +- .../AbstractSingleRecordFunctionExecutor.html | 60 ++---------------- .../ugent/rml/functions/ConcatFunction.html | 6 +- ...ynamicMultipleRecordsFunctionExecutor.html | 6 +- .../DynamicSingleRecordFunctionExecutor.html | 27 ++------ .../ugent/rml/functions/FunctionLoader.html | 6 +- .../be/ugent/rml/functions/FunctionModel.html | 60 ++---------------- .../be/ugent/rml/functions/FunctionUtils.html | 6 +- .../MultipleRecordsFunctionExecutor.html | 4 +- .../functions/ParameterValueOriginPair.html | 6 +- .../rml/functions/ParameterValuePair.html | 6 +- .../SingleRecordFunctionExecutor.html | 4 +- ...StaticMultipleRecordsFunctionExecutor.html | 6 +- .../StaticSingleRecordFunctionExecutor.html | 27 ++------ .../functions/TermGeneratorOriginPair.html | 6 +- .../AbstractSingleRecordFunctionExecutor.html | 4 +- .../functions/class-use/ConcatFunction.html | 4 +- ...ynamicMultipleRecordsFunctionExecutor.html | 4 +- .../DynamicSingleRecordFunctionExecutor.html | 4 +- .../functions/class-use/FunctionLoader.html | 4 +- .../functions/class-use/FunctionModel.html | 4 +- .../functions/class-use/FunctionUtils.html | 4 +- .../MultipleRecordsFunctionExecutor.html | 21 +----- .../class-use/ParameterValueOriginPair.html | 4 +- .../class-use/ParameterValuePair.html | 4 +- .../SingleRecordFunctionExecutor.html | 21 +----- ...StaticMultipleRecordsFunctionExecutor.html | 4 +- .../StaticSingleRecordFunctionExecutor.html | 4 +- .../class-use/TermGeneratorOriginPair.html | 4 +- .../rml/functions/lib/IDLabFunctions.html | 6 +- .../rml/functions/lib/IDLabTestFunctions.html | 6 +- .../rml/functions/lib/UtilFunctions.html | 6 +- .../lib/class-use/IDLabFunctions.html | 4 +- .../lib/class-use/IDLabTestFunctions.html | 4 +- .../lib/class-use/UtilFunctions.html | 4 +- .../rml/functions/lib/package-summary.html | 4 +- .../ugent/rml/functions/lib/package-tree.html | 4 +- .../ugent/rml/functions/lib/package-use.html | 4 +- .../ugent/rml/functions/package-summary.html | 4 +- .../be/ugent/rml/functions/package-tree.html | 4 +- .../be/ugent/rml/functions/package-use.html | 4 +- .../DatasetLevelMetadataGenerator.html | 6 +- .../be/ugent/rml/metadata/Metadata.html | 6 +- .../MetadataGenerator.DETAIL_LEVEL.html | 6 +- .../ugent/rml/metadata/MetadataGenerator.html | 6 +- .../DatasetLevelMetadataGenerator.html | 4 +- .../rml/metadata/class-use/Metadata.html | 4 +- .../MetadataGenerator.DETAIL_LEVEL.html | 4 +- .../metadata/class-use/MetadataGenerator.html | 4 +- .../ugent/rml/metadata/package-summary.html | 4 +- .../be/ugent/rml/metadata/package-tree.html | 4 +- .../be/ugent/rml/metadata/package-use.html | 4 +- .../apidocs/be/ugent/rml/package-summary.html | 4 +- docs/apidocs/be/ugent/rml/package-tree.html | 4 +- docs/apidocs/be/ugent/rml/package-use.html | 4 +- .../be/ugent/rml/records/CSVRecord.html | 6 +- .../ugent/rml/records/CSVRecordFactory.html | 6 +- .../be/ugent/rml/records/IteratorFormat.html | 60 ++---------------- .../be/ugent/rml/records/JSONRecord.html | 60 ++---------------- .../ugent/rml/records/JSONRecordFactory.html | 27 ++------ docs/apidocs/be/ugent/rml/records/Record.html | 6 +- .../be/ugent/rml/records/RecordsFactory.html | 6 +- .../ReferenceFormulationRecordFactory.html | 4 +- .../ugent/rml/records/SPARQLResultFormat.html | 6 +- .../be/ugent/rml/records/XMLRecord.html | 6 +- .../ugent/rml/records/XMLRecordFactory.html | 27 ++------ .../rml/records/class-use/CSVRecord.html | 4 +- .../records/class-use/CSVRecordFactory.html | 4 +- .../rml/records/class-use/IteratorFormat.html | 4 +- .../rml/records/class-use/JSONRecord.html | 4 +- .../records/class-use/JSONRecordFactory.html | 4 +- .../ugent/rml/records/class-use/Record.html | 4 +- .../rml/records/class-use/RecordsFactory.html | 4 +- .../ReferenceFormulationRecordFactory.html | 4 +- .../records/class-use/SPARQLResultFormat.html | 4 +- .../rml/records/class-use/XMLRecord.html | 4 +- .../records/class-use/XMLRecordFactory.html | 4 +- .../be/ugent/rml/records/package-summary.html | 4 +- .../be/ugent/rml/records/package-tree.html | 4 +- .../be/ugent/rml/records/package-use.html | 4 +- docs/apidocs/be/ugent/rml/store/Quad.html | 6 +- .../apidocs/be/ugent/rml/store/QuadStore.html | 6 +- .../be/ugent/rml/store/QuadStoreFactory.html | 6 +- .../be/ugent/rml/store/RDF4JStore.html | 6 +- .../be/ugent/rml/store/SimpleQuadStore.html | 6 +- .../be/ugent/rml/store/class-use/Quad.html | 4 +- .../ugent/rml/store/class-use/QuadStore.html | 4 +- .../rml/store/class-use/QuadStoreFactory.html | 4 +- .../ugent/rml/store/class-use/RDF4JStore.html | 4 +- .../rml/store/class-use/SimpleQuadStore.html | 4 +- .../be/ugent/rml/store/package-summary.html | 4 +- .../be/ugent/rml/store/package-tree.html | 4 +- .../be/ugent/rml/store/package-use.html | 4 +- .../be/ugent/rml/term/AbstractTerm.html | 6 +- docs/apidocs/be/ugent/rml/term/BlankNode.html | 6 +- docs/apidocs/be/ugent/rml/term/Literal.html | 6 +- docs/apidocs/be/ugent/rml/term/NamedNode.html | 6 +- .../be/ugent/rml/term/ProvenancedQuad.html | 6 +- .../be/ugent/rml/term/ProvenancedTerm.html | 6 +- docs/apidocs/be/ugent/rml/term/Term.html | 4 +- .../rml/term/class-use/AbstractTerm.html | 4 +- .../ugent/rml/term/class-use/BlankNode.html | 4 +- .../be/ugent/rml/term/class-use/Literal.html | 4 +- .../ugent/rml/term/class-use/NamedNode.html | 4 +- .../rml/term/class-use/ProvenancedQuad.html | 4 +- .../rml/term/class-use/ProvenancedTerm.html | 4 +- .../be/ugent/rml/term/class-use/Term.html | 4 +- .../be/ugent/rml/term/package-summary.html | 4 +- .../be/ugent/rml/term/package-tree.html | 4 +- .../be/ugent/rml/term/package-use.html | 4 +- .../rml/termgenerator/BlankNodeGenerator.html | 27 ++------ .../rml/termgenerator/LiteralGenerator.html | 27 ++------ .../rml/termgenerator/NamedNodeGenerator.html | 27 ++------ .../rml/termgenerator/TermGenerator.html | 60 ++---------------- .../class-use/BlankNodeGenerator.html | 4 +- .../class-use/LiteralGenerator.html | 4 +- .../class-use/NamedNodeGenerator.html | 4 +- .../class-use/TermGenerator.html | 4 +- .../rml/termgenerator/package-summary.html | 4 +- .../ugent/rml/termgenerator/package-tree.html | 4 +- .../ugent/rml/termgenerator/package-use.html | 4 +- docs/apidocs/constant-values.html | 4 +- docs/apidocs/deprecated-list.html | 4 +- docs/apidocs/help-doc.html | 4 +- docs/apidocs/index-all.html | 16 +---- docs/apidocs/index.html | 4 +- docs/apidocs/member-search-index.js | 2 +- docs/apidocs/member-search-index.zip | Bin 4775 -> 4737 bytes docs/apidocs/options | 7 +- docs/apidocs/overview-summary.html | 4 +- docs/apidocs/overview-tree.html | 4 +- docs/apidocs/package-search-index.zip | Bin 302 -> 302 bytes docs/apidocs/type-search-index.zip | Bin 897 -> 897 bytes .../test-cases/RMLTC0005b-MySQL/mapping.ttl | 2 +- .../test-cases/RMLTC0005b-MySQL/output.nq | 16 ++--- .../RMLTC0005b-PostgreSQL/mapping.ttl | 2 +- .../RMLTC0005b-PostgreSQL/output.nq | 16 ++--- .../RMLTC0005b-SQLServer/mapping.ttl | 2 +- .../test-cases/RMLTC0005b-SQLServer/output.nq | 16 ++--- .../test-cases/RMLTC0012a-MySQL/mapping.ttl | 2 +- .../test-cases/RMLTC0012a-MySQL/output.nq | 8 +-- .../RMLTC0012a-PostgreSQL/mapping.ttl | 2 +- .../RMLTC0012a-PostgreSQL/output.nq | 8 +-- .../RMLTC0012a-SQLServer/mapping.ttl | 2 +- .../test-cases/RMLTC0012a-SQLServer/output.nq | 8 +-- .../test-cases/RMLTC0012e-MySQL/mapping.ttl | 4 +- .../test-cases/RMLTC0012e-MySQL/output.nq | 34 +++++----- .../test-cases/RMLTC0012e-MySQL/resource.sql | 6 +- .../RMLTC0012e-PostgreSQL/mapping.ttl | 4 +- .../RMLTC0012e-PostgreSQL/output.nq | 34 +++++----- .../RMLTC0012e-PostgreSQL/resource.sql | 6 +- .../test-cases/RMLTC0012e-SQLServer/output.nq | 18 +++--- .../RMLTC0012e-SQLServer/resource.sql | 6 +- 221 files changed, 599 insertions(+), 1045 deletions(-) diff --git a/buildNumber.properties b/buildNumber.properties index fcf4ce4b..478516ea 100644 --- a/buildNumber.properties +++ b/buildNumber.properties @@ -1,3 +1,3 @@ #maven.buildNumber.plugin properties file -#Tue May 12 10:49:01 CEST 2020 -buildNumber0=232 +#Tue May 19 08:49:47 CEST 2020 +buildNumber0=242 diff --git a/docs/apidocs/allclasses-index.html b/docs/apidocs/allclasses-index.html index 9787a855..63a3722d 100644 --- a/docs/apidocs/allclasses-index.html +++ b/docs/apidocs/allclasses-index.html @@ -2,10 +2,10 @@ - + All Classes (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/allpackages-index.html b/docs/apidocs/allpackages-index.html index 1d419c9b..75b899a9 100644 --- a/docs/apidocs/allpackages-index.html +++ b/docs/apidocs/allpackages-index.html @@ -2,10 +2,10 @@ - + All Packages (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/Executor.html b/docs/apidocs/be/ugent/rml/Executor.html index a3d9c71e..ad25961e 100644 --- a/docs/apidocs/be/ugent/rml/Executor.html +++ b/docs/apidocs/be/ugent/rml/Executor.html @@ -2,10 +2,10 @@ - + Executor (rmlmapper 4.7.0 API) - + @@ -226,7 +226,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
  • +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/Initializer.html b/docs/apidocs/be/ugent/rml/Initializer.html index 254708ec..835a05f0 100644 --- a/docs/apidocs/be/ugent/rml/Initializer.html +++ b/docs/apidocs/be/ugent/rml/Initializer.html @@ -2,10 +2,10 @@ - + Initializer (rmlmapper 4.7.0 API) - + @@ -191,7 +191,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/Mapping.html b/docs/apidocs/be/ugent/rml/Mapping.html index 4a70e8f1..fbe18f93 100644 --- a/docs/apidocs/be/ugent/rml/Mapping.html +++ b/docs/apidocs/be/ugent/rml/Mapping.html @@ -2,10 +2,10 @@ - + Mapping (rmlmapper 4.7.0 API) - + @@ -192,7 +192,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/MappingFactory.html b/docs/apidocs/be/ugent/rml/MappingFactory.html index 9ca83285..84e63f4d 100644 --- a/docs/apidocs/be/ugent/rml/MappingFactory.html +++ b/docs/apidocs/be/ugent/rml/MappingFactory.html @@ -2,10 +2,10 @@ - + MappingFactory (rmlmapper 4.7.0 API) - + @@ -67,13 +67,13 @@ @@ -124,33 +124,6 @@

    Class MappingFactory

    • - -
      -
        -
      • - - -

        Field Summary

        -
        - - - - - - - - - - - - - - -
        Fields 
        Modifier and TypeFieldDescription
        protected org.slf4j.Loggerlogger 
        -
        -
      • -
      -
        @@ -208,7 +181,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    @@ -219,25 +192,6 @@

    Methods inherited from class java.lang.Object

    • - -
      -
        -
      • - - -

        Field Detail

        - - - -
          -
        • -

          logger

          -
          protected org.slf4j.Logger logger
          -
        • -
        -
      • -
      -
        @@ -314,13 +268,13 @@

        createMapping

        diff --git a/docs/apidocs/be/ugent/rml/MappingInfo.html b/docs/apidocs/be/ugent/rml/MappingInfo.html index e8b1b013..ea77ac8b 100644 --- a/docs/apidocs/be/ugent/rml/MappingInfo.html +++ b/docs/apidocs/be/ugent/rml/MappingInfo.html @@ -2,10 +2,10 @@ - + MappingInfo (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    diff --git a/docs/apidocs/be/ugent/rml/NAMESPACES.html b/docs/apidocs/be/ugent/rml/NAMESPACES.html index 0b8948c4..eea218ae 100644 --- a/docs/apidocs/be/ugent/rml/NAMESPACES.html +++ b/docs/apidocs/be/ugent/rml/NAMESPACES.html @@ -2,10 +2,10 @@ - + NAMESPACES (rmlmapper 4.7.0 API) - + @@ -271,7 +271,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html b/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html index a683f2c9..b5916a5c 100644 --- a/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html +++ b/docs/apidocs/be/ugent/rml/PredicateObjectGraph.html @@ -2,10 +2,10 @@ - + PredicateObjectGraph (rmlmapper 4.7.0 API) - + @@ -192,7 +192,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html b/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html index fb64e96a..efb3dcc9 100644 --- a/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html +++ b/docs/apidocs/be/ugent/rml/PredicateObjectGraphMapping.html @@ -2,10 +2,10 @@ - + PredicateObjectGraphMapping (rmlmapper 4.7.0 API) - + @@ -212,7 +212,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html b/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html index 9a0cb4e1..391b66f7 100644 --- a/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html +++ b/docs/apidocs/be/ugent/rml/RecordFunctionExecutorFactory.html @@ -2,10 +2,10 @@ - + RecordFunctionExecutorFactory (rmlmapper 4.7.0 API) - + @@ -182,7 +182,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html b/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html index 6fc5c82b..72fb56f6 100644 --- a/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html +++ b/docs/apidocs/be/ugent/rml/TEMPLATETYPE.html @@ -2,10 +2,10 @@ - + TEMPLATETYPE (rmlmapper 4.7.0 API) - + @@ -220,7 +220,7 @@

    Method Summary

    Methods inherited from class java.lang.Enum

    -clone, compareTo, describeConstable, equals, finalize, getDeclaringClass, hashCode, name, ordinal, toString, valueOf +compareTo, describeConstable, equals, getDeclaringClass, hashCode, name, ordinal, toString, valueOf diff --git a/docs/apidocs/be/ugent/rml/TemplateElement.html b/docs/apidocs/be/ugent/rml/TemplateElement.html index 3b998bb6..aab0d686 100644 --- a/docs/apidocs/be/ugent/rml/TemplateElement.html +++ b/docs/apidocs/be/ugent/rml/TemplateElement.html @@ -2,10 +2,10 @@ - + TemplateElement (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/Utils.html b/docs/apidocs/be/ugent/rml/Utils.html index 11629b6b..3439506c 100644 --- a/docs/apidocs/be/ugent/rml/Utils.html +++ b/docs/apidocs/be/ugent/rml/Utils.html @@ -2,10 +2,10 @@ - + Utils (rmlmapper 4.7.0 API) - + @@ -391,7 +391,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html b/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html index 6d0e020d..7c1e66b9 100644 --- a/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html +++ b/docs/apidocs/be/ugent/rml/ValuedJoinCondition.html @@ -2,10 +2,10 @@ - + ValuedJoinCondition (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/access/Access.html b/docs/apidocs/be/ugent/rml/access/Access.html index e235be89..b8f2b5b3 100644 --- a/docs/apidocs/be/ugent/rml/access/Access.html +++ b/docs/apidocs/be/ugent/rml/access/Access.html @@ -2,10 +2,10 @@ - + Access (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/AccessFactory.html b/docs/apidocs/be/ugent/rml/access/AccessFactory.html index 31b609d8..afdfda0e 100644 --- a/docs/apidocs/be/ugent/rml/access/AccessFactory.html +++ b/docs/apidocs/be/ugent/rml/access/AccessFactory.html @@ -2,10 +2,10 @@ - + AccessFactory (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/access/DatabaseType.html b/docs/apidocs/be/ugent/rml/access/DatabaseType.html index 5ff30484..7f3f488c 100644 --- a/docs/apidocs/be/ugent/rml/access/DatabaseType.html +++ b/docs/apidocs/be/ugent/rml/access/DatabaseType.html @@ -2,10 +2,10 @@ - + DatabaseType (rmlmapper 4.7.0 API) - + @@ -257,7 +257,7 @@

    Method Summary

    Methods inherited from class java.lang.Enum

    -clone, compareTo, describeConstable, equals, finalize, getDeclaringClass, hashCode, name, ordinal, valueOf +compareTo, describeConstable, equals, getDeclaringClass, hashCode, name, ordinal, valueOf diff --git a/docs/apidocs/be/ugent/rml/access/RDBAccess.html b/docs/apidocs/be/ugent/rml/access/RDBAccess.html index d4bd2bf7..25bf625e 100644 --- a/docs/apidocs/be/ugent/rml/access/RDBAccess.html +++ b/docs/apidocs/be/ugent/rml/access/RDBAccess.html @@ -2,10 +2,10 @@ - + RDBAccess (rmlmapper 4.7.0 API) - + @@ -254,7 +254,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, finalize, getClass, notify, notifyAll, toString, wait, wait, wait +getClass, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html b/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html index 97065a03..0a50e2f3 100644 --- a/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/RemoteFileAccess.html @@ -2,10 +2,10 @@ - + RemoteFileAccess (rmlmapper 4.7.0 API) - + @@ -226,7 +226,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, finalize, getClass, notify, notifyAll, toString, wait, wait, wait +getClass, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html b/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html index e7364247..718cb229 100644 --- a/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html +++ b/docs/apidocs/be/ugent/rml/access/SPARQLEndpointAccess.html @@ -2,10 +2,10 @@ - + SPARQLEndpointAccess (rmlmapper 4.7.0 API) - + @@ -230,7 +230,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, finalize, getClass, notify, notifyAll, toString, wait, wait, wait +getClass, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/access/class-use/Access.html b/docs/apidocs/be/ugent/rml/access/class-use/Access.html index ffe69bef..784ce791 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/Access.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/Access.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.access.Access (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html b/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html index 74bbbebe..46eb7466 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/AccessFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.AccessFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html b/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html index 8cdac456..ee98f6ba 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/DatabaseType.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.DatabaseType (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html index 0f9e0ab3..f3d57ff3 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/LocalFileAccess.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.LocalFileAccess (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html index 2592c967..ca87d23c 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/RDBAccess.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.RDBAccess (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html index e46b6d86..764e3918 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/RemoteFileAccess.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.RemoteFileAccess (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html b/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html index 8fd1a7f7..2a14e2d6 100644 --- a/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html +++ b/docs/apidocs/be/ugent/rml/access/class-use/SPARQLEndpointAccess.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.access.SPARQLEndpointAccess (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/package-summary.html b/docs/apidocs/be/ugent/rml/access/package-summary.html index d66bb3f1..850211f5 100644 --- a/docs/apidocs/be/ugent/rml/access/package-summary.html +++ b/docs/apidocs/be/ugent/rml/access/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.access (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/package-tree.html b/docs/apidocs/be/ugent/rml/access/package-tree.html index fa5c88d0..c66587d9 100644 --- a/docs/apidocs/be/ugent/rml/access/package-tree.html +++ b/docs/apidocs/be/ugent/rml/access/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.access Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/access/package-use.html b/docs/apidocs/be/ugent/rml/access/package-use.html index f9d5212c..a5f4c136 100644 --- a/docs/apidocs/be/ugent/rml/access/package-use.html +++ b/docs/apidocs/be/ugent/rml/access/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.access (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/Executor.html b/docs/apidocs/be/ugent/rml/class-use/Executor.html index 500cbced..5e99a1dd 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Executor.html +++ b/docs/apidocs/be/ugent/rml/class-use/Executor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.Executor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/Initializer.html b/docs/apidocs/be/ugent/rml/class-use/Initializer.html index 650e53c0..b6b12818 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Initializer.html +++ b/docs/apidocs/be/ugent/rml/class-use/Initializer.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.Initializer (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/Mapping.html b/docs/apidocs/be/ugent/rml/class-use/Mapping.html index d49e04f5..c412d75b 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Mapping.html +++ b/docs/apidocs/be/ugent/rml/class-use/Mapping.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.Mapping (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html b/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html index bc36aa7b..e234ebbe 100644 --- a/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html +++ b/docs/apidocs/be/ugent/rml/class-use/MappingFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.MappingFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html b/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html index fbf9e31a..d3e114d6 100644 --- a/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html +++ b/docs/apidocs/be/ugent/rml/class-use/MappingInfo.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.MappingInfo (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html b/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html index e48e5eee..2956ba43 100644 --- a/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html +++ b/docs/apidocs/be/ugent/rml/class-use/NAMESPACES.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.NAMESPACES (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html index 23871d99..32182d3e 100644 --- a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html +++ b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraph.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.PredicateObjectGraph (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html index beb3e253..a11fe7ba 100644 --- a/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html +++ b/docs/apidocs/be/ugent/rml/class-use/PredicateObjectGraphMapping.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.PredicateObjectGraphMapping (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html b/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html index 44439d00..ca7d9985 100644 --- a/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html +++ b/docs/apidocs/be/ugent/rml/class-use/RecordFunctionExecutorFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.RecordFunctionExecutorFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html b/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html index a1d39b62..16c6dcc0 100644 --- a/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html +++ b/docs/apidocs/be/ugent/rml/class-use/TEMPLATETYPE.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.TEMPLATETYPE (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/Template.html b/docs/apidocs/be/ugent/rml/class-use/Template.html index 1ccdd5aa..f369ad36 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Template.html +++ b/docs/apidocs/be/ugent/rml/class-use/Template.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.Template (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html b/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html index b1a26bc2..dd69f87a 100644 --- a/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html +++ b/docs/apidocs/be/ugent/rml/class-use/TemplateElement.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.TemplateElement (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/Utils.html b/docs/apidocs/be/ugent/rml/class-use/Utils.html index 9aefb671..e30ef117 100644 --- a/docs/apidocs/be/ugent/rml/class-use/Utils.html +++ b/docs/apidocs/be/ugent/rml/class-use/Utils.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.Utils (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html b/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html index 89b50a9a..9f6bdc98 100644 --- a/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html +++ b/docs/apidocs/be/ugent/rml/class-use/ValuedJoinCondition.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.ValuedJoinCondition (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/cli/Main.html b/docs/apidocs/be/ugent/rml/cli/Main.html index 4997e9c3..4f04548d 100644 --- a/docs/apidocs/be/ugent/rml/cli/Main.html +++ b/docs/apidocs/be/ugent/rml/cli/Main.html @@ -2,10 +2,10 @@ - + Main (rmlmapper 4.7.0 API) - + @@ -188,7 +188,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/cli/class-use/Main.html b/docs/apidocs/be/ugent/rml/cli/class-use/Main.html index 6e3e075d..eed51224 100644 --- a/docs/apidocs/be/ugent/rml/cli/class-use/Main.html +++ b/docs/apidocs/be/ugent/rml/cli/class-use/Main.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.cli.Main (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/cli/package-summary.html b/docs/apidocs/be/ugent/rml/cli/package-summary.html index ae1eef7d..453ea135 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-summary.html +++ b/docs/apidocs/be/ugent/rml/cli/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.cli (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/cli/package-tree.html b/docs/apidocs/be/ugent/rml/cli/package-tree.html index d2d07013..8f9c7356 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-tree.html +++ b/docs/apidocs/be/ugent/rml/cli/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.cli Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/cli/package-use.html b/docs/apidocs/be/ugent/rml/cli/package-use.html index 79087647..63de3a15 100644 --- a/docs/apidocs/be/ugent/rml/cli/package-use.html +++ b/docs/apidocs/be/ugent/rml/cli/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.cli (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html b/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html index 61d786db..df7b38cd 100644 --- a/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html +++ b/docs/apidocs/be/ugent/rml/conformer/MappingConformer.html @@ -2,10 +2,10 @@ - + MappingConformer (rmlmapper 4.7.0 API) - + @@ -205,7 +205,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html b/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html index 8267e2a9..5932a781 100644 --- a/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html +++ b/docs/apidocs/be/ugent/rml/conformer/R2RMLConverter.html @@ -2,10 +2,10 @@ - + R2RMLConverter (rmlmapper 4.7.0 API) - + @@ -176,7 +176,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html b/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html index a6c7e44f..521c1132 100644 --- a/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html +++ b/docs/apidocs/be/ugent/rml/conformer/class-use/MappingConformer.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.conformer.MappingConformer (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html b/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html index 64952728..f97b96dd 100644 --- a/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html +++ b/docs/apidocs/be/ugent/rml/conformer/class-use/R2RMLConverter.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.conformer.R2RMLConverter (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-summary.html b/docs/apidocs/be/ugent/rml/conformer/package-summary.html index ed24c691..49129dc2 100644 --- a/docs/apidocs/be/ugent/rml/conformer/package-summary.html +++ b/docs/apidocs/be/ugent/rml/conformer/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.conformer (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-tree.html b/docs/apidocs/be/ugent/rml/conformer/package-tree.html index 65c2d151..7240675d 100644 --- a/docs/apidocs/be/ugent/rml/conformer/package-tree.html +++ b/docs/apidocs/be/ugent/rml/conformer/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.conformer Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/conformer/package-use.html b/docs/apidocs/be/ugent/rml/conformer/package-use.html index 640f8065..8240d44a 100644 --- a/docs/apidocs/be/ugent/rml/conformer/package-use.html +++ b/docs/apidocs/be/ugent/rml/conformer/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.conformer (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html b/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html index 6e1c1ce7..8b72e33a 100644 --- a/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/ConstantExtractor.html @@ -2,10 +2,10 @@ - + ConstantExtractor (rmlmapper 4.7.0 API) - + @@ -197,7 +197,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/extractor/Extractor.html b/docs/apidocs/be/ugent/rml/extractor/Extractor.html index 46edb12b..4a56b189 100644 --- a/docs/apidocs/be/ugent/rml/extractor/Extractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/Extractor.html @@ -2,10 +2,10 @@ - + Extractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html b/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html index 16511d15..183dcca0 100644 --- a/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/ReferenceExtractor.html @@ -2,10 +2,10 @@ - + ReferenceExtractor (rmlmapper 4.7.0 API) - + @@ -222,7 +222,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html index 75f6e368..4c06b64f 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/ConstantExtractor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.extractor.ConstantExtractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html index 978c134c..91690d71 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/Extractor.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.extractor.Extractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html b/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html index 66783c53..f2c1bb37 100644 --- a/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html +++ b/docs/apidocs/be/ugent/rml/extractor/class-use/ReferenceExtractor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.extractor.ReferenceExtractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/package-summary.html b/docs/apidocs/be/ugent/rml/extractor/package-summary.html index 240c6dd6..61ea7ed6 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-summary.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.extractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/package-tree.html b/docs/apidocs/be/ugent/rml/extractor/package-tree.html index effe4b80..907c25d9 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-tree.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.extractor Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/extractor/package-use.html b/docs/apidocs/be/ugent/rml/extractor/package-use.html index 8f9f5245..4cdf1c05 100644 --- a/docs/apidocs/be/ugent/rml/extractor/package-use.html +++ b/docs/apidocs/be/ugent/rml/extractor/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.extractor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html index d8657cf1..dea84ada 100644 --- a/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/AbstractSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + AbstractSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -67,13 +67,13 @@ @@ -133,33 +133,6 @@

    Class Abstr
    • - -
      - -
        @@ -216,7 +189,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    @@ -227,25 +200,6 @@

    Methods inherited from class java.lang.Object

    • - -
      - -
        @@ -323,13 +277,13 @@

        execute

        diff --git a/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html b/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html index 66aa7e91..8dd9073b 100644 --- a/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html +++ b/docs/apidocs/be/ugent/rml/functions/ConcatFunction.html @@ -2,10 +2,10 @@ - + ConcatFunction (rmlmapper 4.7.0 API) - + @@ -190,7 +190,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    diff --git a/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html index fbcfdb8e..0d898eda 100644 --- a/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/DynamicMultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - + DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html index 1c581ba2..b2383f23 100644 --- a/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/DynamicSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + DynamicSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -61,7 +61,7 @@ @@ -127,23 +127,6 @@

    Class Dynami
    • - -
      - -
      diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html b/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html index 1deab952..eee17eb0 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionLoader.html @@ -2,10 +2,10 @@ - + FunctionLoader (rmlmapper 4.7.0 API) - + @@ -194,7 +194,7 @@

      Method Summary

      Methods inherited from class java.lang.Object

      -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    • +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionModel.html b/docs/apidocs/be/ugent/rml/functions/FunctionModel.html index 6a0da92e..a7b13f49 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionModel.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionModel.html @@ -2,10 +2,10 @@ - + FunctionModel (rmlmapper 4.7.0 API) - + @@ -67,13 +67,13 @@ @@ -129,33 +129,6 @@

    Class FunctionModel

    • - -
      -
        -
      • - - -

        Field Summary

        -
        - - - - - - - - - - - - - - -
        Fields 
        Modifier and TypeFieldDescription
        protected org.slf4j.Loggerlogger 
        -
        -
      • -
      -
        @@ -220,7 +193,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    @@ -231,25 +204,6 @@

    Methods inherited from class java.lang.Object

    • - -
      -
        -
      • - - -

        Field Detail

        - - - -
          -
        • -

          logger

          -
          protected org.slf4j.Logger logger
          -
        • -
        -
      • -
      -
        @@ -332,13 +286,13 @@

        getURI

        diff --git a/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html b/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html index 32954dc2..6d7d7819 100644 --- a/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html +++ b/docs/apidocs/be/ugent/rml/functions/FunctionUtils.html @@ -2,10 +2,10 @@ - + FunctionUtils (rmlmapper 4.7.0 API) - + @@ -199,7 +199,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    diff --git a/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html index f693e520..596c9f40 100644 --- a/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/MultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - + MultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html b/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html index 3ad1be21..79fec991 100644 --- a/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/ParameterValueOriginPair.html @@ -2,10 +2,10 @@ - + ParameterValueOriginPair (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html b/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html index a45ca16f..5ef7d260 100644 --- a/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html +++ b/docs/apidocs/be/ugent/rml/functions/ParameterValuePair.html @@ -2,10 +2,10 @@ - + ParameterValuePair (rmlmapper 4.7.0 API) - + @@ -193,7 +193,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html index 04b35c2d..d354ad8b 100644 --- a/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/SingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + SingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html index 4f61223d..aaa092c4 100644 --- a/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/StaticMultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - + StaticMultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html index 6100fe28..8c4ab097 100644 --- a/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/StaticSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + StaticSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -61,7 +61,7 @@ @@ -127,23 +127,6 @@

    Class StaticS
    • - -
      - -
      diff --git a/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html b/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html index 4351da9a..7ccf4c2a 100644 --- a/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/TermGeneratorOriginPair.html @@ -2,10 +2,10 @@ - + TermGeneratorOriginPair (rmlmapper 4.7.0 API) - + @@ -186,7 +186,7 @@

      Method Summary

      Methods inherited from class java.lang.Object

      -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    • +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html index eb8a0bb0..11ecdedb 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/AbstractSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.AbstractSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html b/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html index 9d372f3e..d70f0169 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ConcatFunction.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.ConcatFunction (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html index 9cd9a503..010e2985 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicMultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.DynamicMultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html index 29b6f547..db4d3b24 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/DynamicSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.DynamicSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html index 7ac0f536..e265c015 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionLoader.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.FunctionLoader (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html index 6c49c93f..4fd5dc72 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionModel.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.FunctionModel (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html index 946574f7..b07641a3 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/FunctionUtils.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.FunctionUtils (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html index b20b6333..deb6318d 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/MultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.functions.MultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -173,23 +173,6 @@

    Uses of - - - - - - - - - - - - - - -
    Fields in be.ugent.rml.functions declared as MultipleRecordsFunctionExecutor 
    Modifier and TypeFieldDescription
    protected MultipleRecordsFunctionExecutorAbstractSingleRecordFunctionExecutor.functionExecutor 
    -

    diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html index b80e9564..fddda8c9 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValueOriginPair.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.ParameterValueOriginPair (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html index 9686ffe5..49650947 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/ParameterValuePair.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.functions.ParameterValuePair (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html index 6451c246..3e0d1706 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/SingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.functions.SingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + @@ -214,23 +214,6 @@

    Uses of SingleRecordFunctionExecutor in be.ugent.rml.termgenerator

    - - - - - - - - - - - - - -
    Fields in be.ugent.rml.termgenerator declared as SingleRecordFunctionExecutor 
    Modifier and TypeFieldDescription
    protected SingleRecordFunctionExecutorTermGenerator.functionExecutor 
    -
    -
    - diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html index 08a3ab5b..c0b482a8 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/StaticMultipleRecordsFunctionExecutor.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.StaticMultipleRecordsFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html b/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html index a708ee3b..c945cf63 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/StaticSingleRecordFunctionExecutor.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.StaticSingleRecordFunctionExecutor (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html b/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html index dca23974..3d0fd8ef 100644 --- a/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html +++ b/docs/apidocs/be/ugent/rml/functions/class-use/TermGeneratorOriginPair.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.TermGeneratorOriginPair (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html index 7709c190..8480a744 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/IDLabFunctions.html @@ -2,10 +2,10 @@ - +IDLabFunctions (rmlmapper 4.7.0 API) - + @@ -268,7 +268,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/lib/IDLabTestFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/IDLabTestFunctions.html index c3a7d883..6e54ed7a 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/IDLabTestFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/IDLabTestFunctions.html @@ -2,10 +2,10 @@ - +IDLabTestFunctions (rmlmapper 4.7.0 API) - + @@ -202,7 +202,7 @@

    Methods inherited from class be.ugent.rml.functions.lib. - + UtilFunctions (rmlmapper 4.7.0 API) - + @@ -187,7 +187,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html index c888cb6b..5f0dd4e9 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabFunctions.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.lib.IDLabFunctions (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabTestFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabTestFunctions.html index 112669ef..6bc8e430 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabTestFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/IDLabTestFunctions.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.lib.IDLabTestFunctions (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html b/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html index 0ba49ac2..7050f943 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/class-use/UtilFunctions.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.functions.lib.UtilFunctions (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html b/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html index b8c5d6ca..3b6530ae 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-summary.html @@ -2,10 +2,10 @@ - +be.ugent.rml.functions.lib (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html b/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html index fa6a66f9..913a39d6 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-tree.html @@ -2,10 +2,10 @@ - +be.ugent.rml.functions.lib Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/lib/package-use.html b/docs/apidocs/be/ugent/rml/functions/lib/package-use.html index b05c61ae..21da569e 100644 --- a/docs/apidocs/be/ugent/rml/functions/lib/package-use.html +++ b/docs/apidocs/be/ugent/rml/functions/lib/package-use.html @@ -2,10 +2,10 @@ - +Uses of Package be.ugent.rml.functions.lib (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/package-summary.html b/docs/apidocs/be/ugent/rml/functions/package-summary.html index 19965a3e..e436b282 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-summary.html +++ b/docs/apidocs/be/ugent/rml/functions/package-summary.html @@ -2,10 +2,10 @@ - +be.ugent.rml.functions (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/package-tree.html b/docs/apidocs/be/ugent/rml/functions/package-tree.html index 653c8fbc..f97d8bc2 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-tree.html +++ b/docs/apidocs/be/ugent/rml/functions/package-tree.html @@ -2,10 +2,10 @@ - +be.ugent.rml.functions Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/functions/package-use.html b/docs/apidocs/be/ugent/rml/functions/package-use.html index 2f472a71..c44377f7 100644 --- a/docs/apidocs/be/ugent/rml/functions/package-use.html +++ b/docs/apidocs/be/ugent/rml/functions/package-use.html @@ -2,10 +2,10 @@ - +Uses of Package be.ugent.rml.functions (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html index cf816c4a..2f2ef828 100644 --- a/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/DatasetLevelMetadataGenerator.html @@ -2,10 +2,10 @@ - +DatasetLevelMetadataGenerator (rmlmapper 4.7.0 API) - + @@ -188,7 +188,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/metadata/Metadata.html b/docs/apidocs/be/ugent/rml/metadata/Metadata.html index 7354e9bf..32ed6040 100644 --- a/docs/apidocs/be/ugent/rml/metadata/Metadata.html +++ b/docs/apidocs/be/ugent/rml/metadata/Metadata.html @@ -2,10 +2,10 @@ - +Metadata (rmlmapper 4.7.0 API) - + @@ -190,7 +190,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html index b12a929f..83c15d0e 100644 --- a/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html +++ b/docs/apidocs/be/ugent/rml/metadata/MetadataGenerator.DETAIL_LEVEL.html @@ -2,10 +2,10 @@ - +MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.7.0 API) - + @@ -233,7 +233,7 @@

    Method Summary

    Methods inherited from class java.lang.Enum

    -clone, compareTo, describeConstable, equals, finalize, getDeclaringClass, hashCode, name, ordinal, toString, valueOf +compareTo, describeConstable, equals, getDeclaringClass, hashCode, name, ordinal, toString, valueOf diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html index 0b125dfa..38c4251c 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/DatasetLevelMetadataGenerator.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.metadata.DatasetLevelMetadataGenerator (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html b/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html index 6c58c742..487904cb 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/Metadata.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.metadata.Metadata (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html index ab988885..40d68cf4 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.DETAIL_LEVEL.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.metadata.MetadataGenerator.DETAIL_LEVEL (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html index 89047d16..fb454da9 100644 --- a/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html +++ b/docs/apidocs/be/ugent/rml/metadata/class-use/MetadataGenerator.html @@ -2,10 +2,10 @@ - +Uses of Class be.ugent.rml.metadata.MetadataGenerator (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/package-summary.html b/docs/apidocs/be/ugent/rml/metadata/package-summary.html index 78ee255b..88416139 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-summary.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-summary.html @@ -2,10 +2,10 @@ - +be.ugent.rml.metadata (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/package-tree.html b/docs/apidocs/be/ugent/rml/metadata/package-tree.html index 4a869798..0be95862 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-tree.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-tree.html @@ -2,10 +2,10 @@ - +be.ugent.rml.metadata Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/metadata/package-use.html b/docs/apidocs/be/ugent/rml/metadata/package-use.html index 477a1aff..71d3177e 100644 --- a/docs/apidocs/be/ugent/rml/metadata/package-use.html +++ b/docs/apidocs/be/ugent/rml/metadata/package-use.html @@ -2,10 +2,10 @@ - +Uses of Package be.ugent.rml.metadata (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/package-summary.html b/docs/apidocs/be/ugent/rml/package-summary.html index 9ebe00b5..5479ce0c 100644 --- a/docs/apidocs/be/ugent/rml/package-summary.html +++ b/docs/apidocs/be/ugent/rml/package-summary.html @@ -2,10 +2,10 @@ - +be.ugent.rml (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/package-tree.html b/docs/apidocs/be/ugent/rml/package-tree.html index 52dbad32..fd581c0a 100644 --- a/docs/apidocs/be/ugent/rml/package-tree.html +++ b/docs/apidocs/be/ugent/rml/package-tree.html @@ -2,10 +2,10 @@ - +be.ugent.rml Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/package-use.html b/docs/apidocs/be/ugent/rml/package-use.html index ecdd47eb..3a277ada 100644 --- a/docs/apidocs/be/ugent/rml/package-use.html +++ b/docs/apidocs/be/ugent/rml/package-use.html @@ -2,10 +2,10 @@ - +Uses of Package be.ugent.rml (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/CSVRecord.html b/docs/apidocs/be/ugent/rml/records/CSVRecord.html index 28d5e988..2a902057 100644 --- a/docs/apidocs/be/ugent/rml/records/CSVRecord.html +++ b/docs/apidocs/be/ugent/rml/records/CSVRecord.html @@ -2,10 +2,10 @@ - +CSVRecord (rmlmapper 4.7.0 API) - + @@ -171,7 +171,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html b/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html index 4443866a..f923769d 100644 --- a/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/CSVRecordFactory.html @@ -2,10 +2,10 @@ - +CSVRecordFactory (rmlmapper 4.7.0 API) - + @@ -190,7 +190,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/records/IteratorFormat.html b/docs/apidocs/be/ugent/rml/records/IteratorFormat.html index 50a458f3..40a568da 100644 --- a/docs/apidocs/be/ugent/rml/records/IteratorFormat.html +++ b/docs/apidocs/be/ugent/rml/records/IteratorFormat.html @@ -2,10 +2,10 @@ - +IteratorFormat (rmlmapper 4.7.0 API) - + @@ -67,13 +67,13 @@ @@ -138,33 +138,6 @@

    Class IteratorFormat<DocumentC
    • - -
      -
        -
      • - - -

        Field Summary

        -
        -

    Constructors in be.ugent.rml.termgenerator with parameters of type SingleRecordFunctionExecutor 
    Constructor
    - - - - - - - - - - - - - -
    Fields 
    Modifier and TypeFieldDescription
    protected org.slf4j.Loggerlogger 
    -
    - - -
      @@ -225,7 +198,7 @@

      Method Summary

      Methods inherited from class java.lang.Object

      -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
    @@ -236,25 +209,6 @@

    Methods inherited from class java.lang.Object

    • - -
      -
        -
      • - - -

        Field Detail

        - - - -
          -
        • -

          logger

          -
          protected org.slf4j.Logger logger
          -
        • -
        -
      • -
      -
        @@ -345,13 +299,13 @@

        getRecords

        diff --git a/docs/apidocs/be/ugent/rml/records/JSONRecord.html b/docs/apidocs/be/ugent/rml/records/JSONRecord.html index b626df5f..588158d8 100644 --- a/docs/apidocs/be/ugent/rml/records/JSONRecord.html +++ b/docs/apidocs/be/ugent/rml/records/JSONRecord.html @@ -2,10 +2,10 @@ - + JSONRecord (rmlmapper 4.7.0 API) - + @@ -67,13 +67,13 @@ @@ -131,33 +131,6 @@

        Class JSONRecord

        • - -
          -
            -
          • - - -

            Field Summary

            -
            - - - - - - - - - - - - - - -
            Fields 
            Modifier and TypeFieldDescription
            protected org.slf4j.Loggerlogger 
            -
            -
          • -
          -
            @@ -224,7 +197,7 @@

            Methods inherited from class be.ugent.rml.records.

            Methods inherited from class java.lang.Object

            -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
        @@ -235,25 +208,6 @@

        Methods inherited from class java.lang.Object

        • - -
          -
            -
          • - - -

            Field Detail

            - - - -
              -
            • -

              logger

              -
              protected org.slf4j.Logger logger
              -
            • -
            -
          • -
          -
            @@ -334,13 +288,13 @@

            get

            diff --git a/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html b/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html index 80f06ad8..10fe60bb 100644 --- a/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/JSONRecordFactory.html @@ -2,10 +2,10 @@ - + JSONRecordFactory (rmlmapper 4.7.0 API) - + @@ -61,7 +61,7 @@ @@ -129,23 +129,6 @@

            Class JSONRecordFactory

            • - -
              - -
                @@ -190,7 +173,7 @@

                Methods inherited from class be.ugent.rml.records.
              • @@ -259,7 +242,7 @@

                JSONRecordFactory

                diff --git a/docs/apidocs/be/ugent/rml/records/Record.html b/docs/apidocs/be/ugent/rml/records/Record.html index 2a73e6fd..65bc663b 100644 --- a/docs/apidocs/be/ugent/rml/records/Record.html +++ b/docs/apidocs/be/ugent/rml/records/Record.html @@ -2,10 +2,10 @@ - + Record (rmlmapper 4.7.0 API) - + @@ -194,7 +194,7 @@

                Method Summary

                Methods inherited from class java.lang.Object

                -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
              • +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait

            diff --git a/docs/apidocs/be/ugent/rml/records/RecordsFactory.html b/docs/apidocs/be/ugent/rml/records/RecordsFactory.html index ab640fc2..deadc42c 100644 --- a/docs/apidocs/be/ugent/rml/records/RecordsFactory.html +++ b/docs/apidocs/be/ugent/rml/records/RecordsFactory.html @@ -2,10 +2,10 @@ - + RecordsFactory (rmlmapper 4.7.0 API) - + @@ -184,7 +184,7 @@

            Method Summary

            Methods inherited from class java.lang.Object

            -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
        diff --git a/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html b/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html index f40330fa..c6e1eeac 100644 --- a/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/ReferenceFormulationRecordFactory.html @@ -2,10 +2,10 @@ - + ReferenceFormulationRecordFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html b/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html index 785ca6a8..7b2ce579 100644 --- a/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html +++ b/docs/apidocs/be/ugent/rml/records/SPARQLResultFormat.html @@ -2,10 +2,10 @@ - + SPARQLResultFormat (rmlmapper 4.7.0 API) - + @@ -253,7 +253,7 @@

        Method Summary

        Methods inherited from class java.lang.Enum

        -clone, compareTo, describeConstable, equals, finalize, getDeclaringClass, hashCode, name, ordinal, valueOf +compareTo, describeConstable, equals, getDeclaringClass, hashCode, name, ordinal, valueOf
    diff --git a/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html b/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html index 81acafc6..19417368 100644 --- a/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/XMLRecordFactory.html @@ -2,10 +2,10 @@ - + XMLRecordFactory (rmlmapper 4.7.0 API) - + @@ -61,7 +61,7 @@ @@ -129,23 +129,6 @@

    Class XMLRecordFactory

    • - -
      - -
        @@ -190,7 +173,7 @@

        Methods inherited from class be.ugent.rml.records.
      • @@ -259,7 +242,7 @@

        XMLRecordFactory

        diff --git a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html index 07d4a660..56f61b68 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecord.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.CSVRecord (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html index 308d920c..09210f0d 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/CSVRecordFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.CSVRecordFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html b/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html index e10c22b5..786cf424 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/IteratorFormat.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.IteratorFormat (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html index bedd044f..03ef293c 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecord.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.JSONRecord (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html index cf8723f2..fb85e5a6 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/JSONRecordFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.JSONRecordFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/Record.html b/docs/apidocs/be/ugent/rml/records/class-use/Record.html index 1014f4dc..f32c95bc 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/Record.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/Record.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.Record (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html index 23e2c6fd..934aab5d 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/RecordsFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.RecordsFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html index 0c3b7951..96e0c82c 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/ReferenceFormulationRecordFactory.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.records.ReferenceFormulationRecordFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html b/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html index 89e555e2..be7c9156 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/SPARQLResultFormat.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.SPARQLResultFormat (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html index 13340bcf..87ac6003 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecord.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.XMLRecord (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html index c49638f6..cae76307 100644 --- a/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html +++ b/docs/apidocs/be/ugent/rml/records/class-use/XMLRecordFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.records.XMLRecordFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/package-summary.html b/docs/apidocs/be/ugent/rml/records/package-summary.html index 69897cb7..10333b7b 100644 --- a/docs/apidocs/be/ugent/rml/records/package-summary.html +++ b/docs/apidocs/be/ugent/rml/records/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.records (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/package-tree.html b/docs/apidocs/be/ugent/rml/records/package-tree.html index f4849b2d..0735811d 100644 --- a/docs/apidocs/be/ugent/rml/records/package-tree.html +++ b/docs/apidocs/be/ugent/rml/records/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.records Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/records/package-use.html b/docs/apidocs/be/ugent/rml/records/package-use.html index 573e0f6b..33dbea4d 100644 --- a/docs/apidocs/be/ugent/rml/records/package-use.html +++ b/docs/apidocs/be/ugent/rml/records/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.records (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/Quad.html b/docs/apidocs/be/ugent/rml/store/Quad.html index 823ad5af..840ffcba 100644 --- a/docs/apidocs/be/ugent/rml/store/Quad.html +++ b/docs/apidocs/be/ugent/rml/store/Quad.html @@ -2,10 +2,10 @@ - + Quad (rmlmapper 4.7.0 API) - + @@ -214,7 +214,7 @@

        Method Summary

        Methods inherited from class java.lang.Object

        -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait
      • +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait

    diff --git a/docs/apidocs/be/ugent/rml/store/QuadStore.html b/docs/apidocs/be/ugent/rml/store/QuadStore.html index df4ad7f3..63b2d398 100644 --- a/docs/apidocs/be/ugent/rml/store/QuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/QuadStore.html @@ -2,10 +2,10 @@ - + QuadStore (rmlmapper 4.7.0 API) - + @@ -415,7 +415,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, finalize, getClass, hashCode, notify, notifyAll, wait, wait, wait +getClass, hashCode, notify, notifyAll, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html b/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html index b21d4f6f..683a77f2 100644 --- a/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html +++ b/docs/apidocs/be/ugent/rml/store/QuadStoreFactory.html @@ -2,10 +2,10 @@ - + QuadStoreFactory (rmlmapper 4.7.0 API) - + @@ -205,7 +205,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/store/RDF4JStore.html b/docs/apidocs/be/ugent/rml/store/RDF4JStore.html index ee5d7f79..1bc23837 100644 --- a/docs/apidocs/be/ugent/rml/store/RDF4JStore.html +++ b/docs/apidocs/be/ugent/rml/store/RDF4JStore.html @@ -2,10 +2,10 @@ - + RDF4JStore (rmlmapper 4.7.0 API) - + @@ -302,7 +302,7 @@

    Methods inherited from class be.ugent.rml.store. - + SimpleQuadStore (rmlmapper 4.7.0 API) - + @@ -295,7 +295,7 @@

    Methods inherited from class be.ugent.rml.store. - + Uses of Class be.ugent.rml.store.Quad (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html b/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html index 803cbe1f..fb322284 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/QuadStore.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.store.QuadStore (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html b/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html index b6bd5cc0..91fe0820 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/QuadStoreFactory.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.store.QuadStoreFactory (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html b/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html index 6aba7c00..b8f75a6b 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/RDF4JStore.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.store.RDF4JStore (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html b/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html index 88f2ff75..bcb7bdc0 100644 --- a/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html +++ b/docs/apidocs/be/ugent/rml/store/class-use/SimpleQuadStore.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.store.SimpleQuadStore (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/package-summary.html b/docs/apidocs/be/ugent/rml/store/package-summary.html index de19c810..fa025d00 100644 --- a/docs/apidocs/be/ugent/rml/store/package-summary.html +++ b/docs/apidocs/be/ugent/rml/store/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.store (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/package-tree.html b/docs/apidocs/be/ugent/rml/store/package-tree.html index 67883aa0..f05dc1c9 100644 --- a/docs/apidocs/be/ugent/rml/store/package-tree.html +++ b/docs/apidocs/be/ugent/rml/store/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.store Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/store/package-use.html b/docs/apidocs/be/ugent/rml/store/package-use.html index d97aebf8..fe8f34a9 100644 --- a/docs/apidocs/be/ugent/rml/store/package-use.html +++ b/docs/apidocs/be/ugent/rml/store/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.store (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/AbstractTerm.html b/docs/apidocs/be/ugent/rml/term/AbstractTerm.html index 32cbbd4f..0e79d72d 100644 --- a/docs/apidocs/be/ugent/rml/term/AbstractTerm.html +++ b/docs/apidocs/be/ugent/rml/term/AbstractTerm.html @@ -2,10 +2,10 @@ - + AbstractTerm (rmlmapper 4.7.0 API) - + @@ -199,7 +199,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, notify, notifyAll, wait, wait, wait +equals, getClass, notify, notifyAll, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/term/BlankNode.html b/docs/apidocs/be/ugent/rml/term/BlankNode.html index de1acabb..03880550 100644 --- a/docs/apidocs/be/ugent/rml/term/BlankNode.html +++ b/docs/apidocs/be/ugent/rml/term/BlankNode.html @@ -2,10 +2,10 @@ - + BlankNode (rmlmapper 4.7.0 API) - + @@ -205,7 +205,7 @@

    Methods inherited from class be.ugent.rml.term. - + Literal (rmlmapper 4.7.0 API) - + @@ -221,7 +221,7 @@

    Methods inherited from class be.ugent.rml.term. - + NamedNode (rmlmapper 4.7.0 API) - + @@ -201,7 +201,7 @@

    Methods inherited from class be.ugent.rml.term. - + ProvenancedQuad (rmlmapper 4.7.0 API) - + @@ -204,7 +204,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html b/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html index 712f6f6a..d7451a22 100644 --- a/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html +++ b/docs/apidocs/be/ugent/rml/term/ProvenancedTerm.html @@ -2,10 +2,10 @@ - + ProvenancedTerm (rmlmapper 4.7.0 API) - + @@ -195,7 +195,7 @@

    Method Summary

    Methods inherited from class java.lang.Object

    -clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait +equals, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait diff --git a/docs/apidocs/be/ugent/rml/term/Term.html b/docs/apidocs/be/ugent/rml/term/Term.html index 8a9975d3..2b0e5708 100644 --- a/docs/apidocs/be/ugent/rml/term/Term.html +++ b/docs/apidocs/be/ugent/rml/term/Term.html @@ -2,10 +2,10 @@ - + Term (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html b/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html index f22645fd..608b0f60 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/AbstractTerm.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.AbstractTerm (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html b/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html index a8f3e667..d46b13e1 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/BlankNode.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.BlankNode (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/Literal.html b/docs/apidocs/be/ugent/rml/term/class-use/Literal.html index 557ed1ff..0d053345 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/Literal.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/Literal.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.Literal (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html b/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html index 045a852b..84a39db8 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/NamedNode.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.NamedNode (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html index 0b734df5..2bdb0076 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedQuad.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.ProvenancedQuad (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html index 15666160..dd4ad8a6 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/ProvenancedTerm.html @@ -2,10 +2,10 @@ - + Uses of Class be.ugent.rml.term.ProvenancedTerm (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/class-use/Term.html b/docs/apidocs/be/ugent/rml/term/class-use/Term.html index ec39e035..b9b23306 100644 --- a/docs/apidocs/be/ugent/rml/term/class-use/Term.html +++ b/docs/apidocs/be/ugent/rml/term/class-use/Term.html @@ -2,10 +2,10 @@ - + Uses of Interface be.ugent.rml.term.Term (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/package-summary.html b/docs/apidocs/be/ugent/rml/term/package-summary.html index 45c89738..d255369a 100644 --- a/docs/apidocs/be/ugent/rml/term/package-summary.html +++ b/docs/apidocs/be/ugent/rml/term/package-summary.html @@ -2,10 +2,10 @@ - + be.ugent.rml.term (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/package-tree.html b/docs/apidocs/be/ugent/rml/term/package-tree.html index c756304c..8806d2b0 100644 --- a/docs/apidocs/be/ugent/rml/term/package-tree.html +++ b/docs/apidocs/be/ugent/rml/term/package-tree.html @@ -2,10 +2,10 @@ - + be.ugent.rml.term Class Hierarchy (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/term/package-use.html b/docs/apidocs/be/ugent/rml/term/package-use.html index 4a86e900..eede081f 100644 --- a/docs/apidocs/be/ugent/rml/term/package-use.html +++ b/docs/apidocs/be/ugent/rml/term/package-use.html @@ -2,10 +2,10 @@ - + Uses of Package be.ugent.rml.term (rmlmapper 4.7.0 API) - + diff --git a/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html b/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html index 095767a3..c0fcb2a0 100644 --- a/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html +++ b/docs/apidocs/be/ugent/rml/termgenerator/BlankNodeGenerator.html @@ -2,10 +2,10 @@ - + BlankNodeGenerator (rmlmapper 4.7.0 API) - + @@ -67,7 +67,7 @@ @@ -129,23 +129,6 @@

    Class BlankNodeGenerator