NodeJS JT400 wrapper to connect to IBM iSeries and AS/400 systems (OS400 operating system, database like DB2, programs and filesystem).
This package is built on the IBM Toolbox for Java (http://jt400.sourceforge.net/). It maps the java functions to node using node-java. Not all of the Java code has been mapped over to node. The reason is that this module was originally written for internal use-only for Tryggingadmidstodin. Therefore we only implemented what Tryggingamidstodin needed, for example program calls, but not stored procedures.
Tryggingamidstodin is an Icelandic insurance company dealing with legacy systems in AS400. We figured other people or companies might be dealing with the similar problems so this module was made open source. Most of the coding and documentation reflects this, although we are always trying to improve that. For example the library for programs was orignally not configurable, but is now.
We are always open to suggestions on how to improve and welcome most pull-requests.
Check out our changelog.md to see changes to this project. Please note that this changelog was added in version 4.0 so documentation on versions prior to that are incomplete. Feel free to add to this changelog and report an issue if you're having troubles with updating this package.
npm install node-jt400 --save
Windows installations can be tricky because of node-java dependency. Make sure that that module works first. You can check out the node-java documentation for windows installation
We also have some solved issues you can take a look at like #13 and #26
Other issues might be related to node-gyp, python and MS build tools or VS IDE.
Most basic configuration would be:
const config = {
host: 'myhost',
user: 'myuser',
password: 'xxx',
}
const pool = require('node-jt400').pool(config)
But the config accepts all JT400 JDBC Properties so you can add other options like translate binary
const config = {
host: 'myhost',
user: 'myuser',
password: 'xxx',
'translate binary': 'true',
trace: 'true',
}
const pool = require('node-jt400').pool(config)
To close the connection pool you can call pool.close()
pool
.query('SELECT field1, field2 FROM foo WHERE bar=? AND baz=?', [1, 'a'])
.then((result) => {
console.log('result')
const field1 = result[0].FIELD1
console.log(field1)
})
.catch((error) => {
console.log('error')
console.log(error)
})
try {
const results = await pool.query(
'SELECT field1, field2 FROM foo WHERE bar=? AND baz=?',
[1, 'a']
)
console.log('result')
const field1 = result[0].FIELD1
console.log(field1)
} catch (error) {
console.log('error')
console.log(error)
}
Please note that values from the database are automatically trimmed so 'abc ' will be returned as 'abc'. Issue #27 To override this use the optional QueryOptions parameter to set trim to false.
pool.query('SELECT field1, field2 FROM foo WHERE bar=? AND baz=?', [1, 'a'], {
trim: false,
})
pool.update('UPDATE foo SET bar=? WHERE baz=?', [1, 'a']).then((nUpdated) => {
console.log('Updated ' + nUpdated + ' rows')
})
try {
const rowsUpdated = await pool.update('UPDATE foo SET bar=? WHERE baz=?', [
1,
'a',
])
console.log('rows updated')
console.log(rowsUpdated)
} catch (error) {
console.log('error')
console.log(error)
}
pool
.update('DELETE FROM foo WHERE bar=?', [1])
.then(nUpdated => {
console.log('Deleted + ' nUpdated + ' rows');
});
try {
const rowsDeleted = await pool.update('DELETE FROM foo WHERE bar=?', [1]);
console.log('Deleted + ' rowsDeleted + ' rows');
}
catch (error) {
console.log('error');
console.log(error);
}
pool
.insertAndGetId('INSERT INTO foo (bar, baz) VALUES(?,?)', [2, 'b'])
.then((id) => {
console.log('Inserted new row with id ' + id)
})
try {
const id = await pool.insertAndGetId(
'INSERT INTO foo (bar, baz) VALUES(?,?)',
[2, 'b']
)
console.log('Inserted new row with id ' + id)
} catch (error) {
console.log('error')
console.log(error)
}
const tableName = 'foo'
const idColumn = 'fooid'
const rows = [
{ FIELD1: 1, FIELD2: 'a' },
{ FIELD1: 2, FIELD2: 'b' },
]
pool.insertList(tableName, idColumn, rows).then((listOfGeneratedIds) => {
console.log(listOfGeneratedIds)
})
try {
const idList = await pool.insertList(tableName, idColumn, rows)
console.log(idList)
} catch (error) {
console.log('error')
console.log(error)
}
//insert list in one statement
const data = [
[1, 'a'],
[2, 'b'],
]
pool
.batchUpdate('INSERT INTO FOO (FIELD1, FIELD2) VALUES(?,?)', data)
.then((result) => {
console.log(result)
//result is number of updated rows for each row. [1, 1] in this case.
})
try {
const result = await pool.batchUpdate(
'INSERT INTO FOO (FIELD1, FIELD2) VALUES(?,?)',
data
)
console.log(result)
// result is the number of updated rows for each row. [1, 1] in this case.
} catch (error) {
console.log('error')
console.log(error)
}
pool
.createReadStream('SELECT FIELD1, FIELD2 FROM FOO WHERE BAR=? AND BAZ=?', [
1,
'a',
])
.pipe(JSONStream.parse([true]))
.pipe(pool.createWriteStream('INSERT INTO FOO2 (F1, F2) VALUES(?, ?)'))
const statement = await pool.execute(
'SELECT FIELD1, FIELD2 FROM FOO WHERE BAR=? AND BAZ=?',
[1, 'a']
)
const rows = statement.asIterable()
for await (const [field1, field2] of rows) {
console.log(field1, field2)
}
Transaction is commited on success and rolled back on failure. The transaction object has the same api as the pool object.
pool.transaction((transaction) => {
const fooId = 1
return transaction
.update('INSERT INTO FOO (FOOID, FIELD2) VALUES(?,?)', [fooId, 'a'])
.then(function () {
return transaction.update('update BAR set FOOID=? where BARID=?', [
fooId,
2,
])
})
})
The node-jt400 module handles strings, longs, doubles and nulls automatically as types. When using other types like CLOB or BLOB you need to specify the type specifically.
pool
.update('INSERT INTO foo (fooid, textfield, clobfield) VALUES(?, ?)', [
1,
'text',
{ type: 'CLOB', value: 'A really long string' },
])
.then(() => {
console.log('updated')
})
For BLOB pass the base64 string representation of a file. The module will convert it to a blob for the AS400 database.
const fs = require('fs').promises
const base64String = await fs.readFile('/path/to/file.jpg', {
encoding: 'base64',
})
pool
.update('INSERT INTO foo (fooid, textfield, blobfield) VALUES(?, ?)', [
1,
'text',
{ type: 'BLOB', value: base64String },
])
.then(() => {
console.log('updated')
})
When querying a blob field you will recieve a string.
const ifs = pool.ifs()
const readStream = ifs.createReadStream('/foo/bar.txt') // readStream from IFS
As with any readable stream you can pipe it wherever you want. For example into the node filesystem.
const createWriteStream = require('fs').createWriteStream
const join = require('path').join
const filename = join(__dirname, 'old.txt')
const writeStream = createWriteStream(filename) // writeStream to nodeJS filesystem.
const ifs = pool.ifs()
const readStream = ifs.createReadStream('/new.txt') // Reading bar.txt from IFS
readStream.pipe(writeStream) // Piping from IFS to nodeJS
const ifs = pool.ifs();
const writeStream = ifs.createWriteStream(('/foo/bar.txt')
As with any other writable streams you can pipe a readable stream into it.
const fs = require('fs').createReadStream
const join = require('path').join
const filename = join(__dirname, 'old.txt')
const readStream = createReadStream(filename) // readStream from nodeJS filesystem
const ifs = pool.ifs()
const writeStream = ifs.createWriteStream('/new.txt')
readStream.pipe(writeStream) // Piping from nodeJS to IFS
You can see more examples in issue #27
const ifs = pool.ifs()
ifs.deleteFile('/foo/bar.txt.old').then(console.log) // true or false
With programs it is necessary to define your input parameters first. These must match your program defination in AS.
const myProgram = pool.defineProgram({
programName: 'MYPGM',
paramsSchema: [
{ type: 'DECIMAL', precision: 10, scale: 0, name: 'myId'},
{ type: 'NUMERIC', precision: 8, scale: 0, name: 'myDate'},
{ type: 'NUMERIC', precision: 12, scale: 2, name: 'myTotalValue' },
{ type: 'CHAR', precision: 32, scale: 0, name: 'myString'}
],
libraryName: 'WTMEXC' // Optional. Defaults to *LIBL
);
The Decimal type maps to com.ibm.as400.access.AS400PackedDecimal The Numeric type maps to com.ibm.as400.access.AS400ZonedDecimal Everything else (char) maps to com.ibm.as400.access.AS400Text Precision is the size and scale is the decimals.
ATTENTION: To make the API clearer we renamed .pgm to .defineProgram. The pgm function is deprecated in v3.0
When you have defined your program, you can call/invoke it with the parameters you defined.
myProgram(
{
myId: 123
myDate: '20170608',
myTotalValue: 88450.57,
myString: 'This is a test'
},
10 // Optional timeout in sec
)
.then(result => {
console.log(result)
});
ATTENTION: In version 3.0 we added a optional timeout parameter for program calls. This defaults to 3 sec. This is a breaking change since your programs will no longer halt or hang for extended period and therefore never give a response. If you have complicated programs that run for longer than 3 sec then you need to adjust the timeout parameter for those specific calls. Setting it to 0 will ignore the timeout limit.
const jt400 = pool(jt400config)
// Open a keyed data queue for reading
let queue = jt400.createKeyedDataQ({ name })
// -1 waits until a message exists. (MSGW)
let m = await queue.read({ key: inboxKey, wait: 2 })
const path = '/QSYS.LIB/' + process.env.AS400_USERNAME + '.MSGQ'
const msgq = await jt400.openMessageQ({ path: path })
const testMessage = 'Test Message'
await msgq.sendInformational(testMessage) // Writes a basic message
await msgq.read()
const file = await pool.openMessageFile({
path: '/QSYS.LIB/YOURLIB.LIB/YOURMSGF.MSGF',
})
let msg = await file.read({ messageId: 'AMX0051' })
console.log('msg', await msg.getText())
This module uses oops-error to categorize errors into operational errors and programmer errors. We reccomend you take a look at the readme for further information about these categories.
The oops-error has few properties:
- category: Tells you the error is programmer or operational.
- message: The basic error message.
- cause: the original error.
- fullstack: function that returns the fullstack of causes.
Lets define too many paramters for our query.
pool
.query('SELECT field1, field2 FROM foo WHERE bar=? AND baz=?', [1, 'a', 'b])
.then(result => {
console.log('we will not go here')
})
.catch(error => {
console.log('we got programmer error');
console.log('category': errror.category) // ProgrammerError
console.log('message': errror.message) // Descriptor index not valid.
console.log('original error', error.cause)
});