
Security News
Software Engineering Daily Podcast: Feross on AI, Open Source, and Supply Chain Risk
Socket CEO Feross Aboukhadijeh joins Software Engineering Daily to discuss modern software supply chain attacks and rising AI-driven security risks.
iota.lib.js
Advanced tools
The development of the project has moved to
nextbranch of this repository. It is now being maintained asiota.jsand released under@iotascope on npm.
This is the official Javascript library for the IOTA Core. It implements both the official API, as well as newly proposed functionality (such as signing, bundles, utilities and conversion).
It should be noted that the Javascript Library as it stands right now is an early beta release. As such, there might be some unexpected results. Please join the community (see links below) and post issues on here, to ensure that the developers of the library can improve it.
Join the Discussion
If you want to get involved in the community, need help with getting setup, have any issues related with the library or just want to discuss Blockchain, Distributed Ledgers and IoT with other people, feel free to join our Discord community. You can also ask questions on our dedicated forum at: IOTA Forum.
npm install iota.lib.js
bower install iota.lib.js
Once you've built the dist with gulp, you can either use iota.js or the minified version iota.min.js in the browser.
It should be noted that this is a temporary home for the official documentation. We are currently transitioning to a new developer hub, where we will have a dedicated website for the API documentation with concrete examples. The below documentation should be sufficient in enabling you to get started in the meantime.
After you've successfully installed the library, it is fairly easy to get started by simply launching a new instance of the IOTA object with an optional settings object. When instantiating the object you have the option to decide the API provider that is used to send the requests to and you can also connect directly to the Sandbox environment.
The optional settings object can have the following values:
host: String Host you want to connect to. Can be DNS, IPv4 or IPv6. Defaults to localhost port: Int port of the host you want to connect to. Defaults to 14265.provider: String If you don't provide host and port, you can supply the full provider value to connect tosandbox: Bool Optional value to determine if your provider is the IOTA Sandbox or not.token: String Token string used for authenticating with the IOTA Sandbox if sandbox is set to true.You can either supply the remote node directly via the provider option, or individually with host and port, as can be seen in the example below:
// Create IOTA instance with host and port as provider
var iota = new IOTA({
'host': 'http://localhost',
'port': 14265
});
// Create IOTA instance directly with provider
var iota = new IOTA({
'provider': 'http://localhost:14265'
});
// now you can start using all of the functions
iota.api.getNodeInfo(function(error, success) {
if (error) {
console.error(error);
} else {
console.log(success);
}
});
// you can also get the version
console.log(iota.version);
Overall, there are currently four subclasses that are accessible from the IOTA object:
api: Core API functionality for interacting with the IOTA core.utils: Utility related functions for conversions, validation and so onmultisig: Functions for creating and signing multi-signature addresses and transactions.valid: Validator functions that can help with determining whether the inputs or results that you get are valid.You also have access to the version of the library
version: Current version of the libraryIn the future new IOTA Core modules (such as Flash, MAM) and all IXI related functionality will be available.
It should be noted that most API calls are done asynchronously. What this means is that you have to utilize callbacks in order to catch the response successfully. We will add support for sync API calls, as well as event listeners in future versions.
Here is a simple example of how to access the getNodeInfo function:
iota.api.getNodeInfo(function(error, success) {
if (error) {
console.error(error);
} else {
console.log(success);
}
})
iota.apiStandard APIThis Javascript library has implemented all of the core API calls that are made available by the current IOTA Reference Implementation. For the full documentation of all the Standard API calls, please refer to the official documentation: official API.
You can simply use any of the available options from the api object then. For example, if you want to use the getTips function, you would simply do it as such:
iota.api.getTips(function(error, success) {
// do stuff here
})
getTransactionsObjectsWrapper function for getTrytes and the Utility function transactionObjects. This function basically returns the entire transaction objects for a list of transaction hashes.
iota.api.getTransactionsObjects(hashes, callback)
hashes: Array List of transaction hashescallback: Function callback.Array - list of all the transaction objects from the corresponding hashes.findTransactionObjectsWrapper function for findTransactions, getTrytes and the Utility function transactionObjects. This function basically returns the entire transaction objects for a list of key values which you would usually use for findTransactions. Acceptable key values are:
bundles: List of bundle hashesaddresses: List of addressestags: List of transaction tags (27 trytes length)approvees: List of approveesiota.api.findTransactionObjects(searchValues, callback)
searchValues: Object List of transaction hashes. e.g. {'hashes': ['ABCD']}callback: Function callback.Array - list of all the transaction objects from the corresponding hashes.getLatestInclusionWrapper function for getNodeInfo and getInclusionStates. It simply takes the most recent solid milestone as returned by getNodeInfo, and uses it to get the inclusion states of a list of transaction hashes.
iota.api.getLatestInclusion(hashes, callback)
hashes: Array List of transaction hashescallback: Function callback.Array - list of all the inclusion states of the transaction hashesstoreAndBroadcastWrapper function for storeTransactions and broadcastTransactions.
iota.api.storeAndBroadcast(trytes, callback)
trytes: Array List of transaction trytes to be stored and broadcasted. Has to be trytes that were returned from attachToTanglecallback: Function callback.Object - empty object.
getNewAddressGenerates a new address from a seed and returns the address. This is either done deterministically, or by providing the index of the new address to be generated. When generating an address, you have the option to choose different security levels for your private keys. A different security level with the same key index, means that you will get a different address obviously (as such, you could argue that single seed has 3 different accounts, depending on the security level chosen).
In total, there are 3 different security options available to choose from:
| Input | Security Level | Security |
|---|---|---|
| 1 | Low | 81-trits |
| 2 | Medium | 162-trits |
| 3 | High | 243-trits |
iota.api.getNewAddress(seed, [options], callback)
seed: String tryte-encoded seed. It should be noted that this seed is not transferredoptions: Object which is optional:index: Int If the index is provided, the generation of the address is not deterministic.checksum: Bool Adds 9-tryte address checksumtotal: Int Total number of addresses to generate.security: Int Security level to be used for the private key / address. Can be 1, 2 or 3returnAll: Bool If true, it returns all addresses which were deterministically generated (until findTransactions returns null)callback: Function Optional callback.String | Array - returns either a string, or an array of strings.
getInputsGets all possible inputs of a seed and returns them with the total balance. This is either done deterministically (by genearating all addresses until findTransactions returns null for a corresponding address), or by providing a key range to use for searching through.
You can also define the minimum threshold that is required. This means that if you provide the threshold value, you can specify that the inputs should only be returned if their collective balance is above the threshold value.
iota.api.getInputs(seed, [, options], callback)
seed: String tryte-encoded seed. It should be noted that this seed is not transferredoptions: Object which is optional:start: int Starting key indexend: int Ending key indexsecurity: Int Security level to be used for the private key / address. Can be 1, 2 or 3threshold: int Minimum threshold of accumulated balances from the inputs that is requestedcallback: Function Optional callback.Object - an object with the following keys:
inputs Array - list of inputs objects consisting of address, balance and keyIndextotalBalance int - aggregated balance of all inputsprepareTransfersMain purpose of this function is to get an array of transfer objects as input, and then prepare the transfer by generating the correct bundle, as well as choosing and signing the inputs if necessary (if it's a value transfer). The output of this function is an array of the raw transaction data (trytes).
You can provide multiple transfer objects, which means that your prepared bundle will have multiple outputs to the same, or different recipients. As single transfer object takes the values of: address, value, message, tag. The message and tag values are required to be tryte-encoded. If you do not supply a message or a tag, the library will automatically enter empty ones for you. As such the only required fields in each transfers object are address and value.
If you provide an address with a checksum, this function will automatically validate the address for you with the Utils function isValidChecksum.
For the options, you can provide a list of inputs, that will be used for signing the transfer's inputs. It should be noted that these inputs (an array of objects) should have the provided 'security', keyIndex and address values:
var inputs = [{
'keyIndex': //VALUE,
'address': //VALUE,
'security': //VALUE
}]
The library validates these inputs then and ensures that you have sufficient balance. When defining these inputs, you can also provide multiple inputs on different security levels. The library will correctly sign these inputs using your seed and the corresponding private keys. Here is an example using security level 3 and 2 for a transfer:
iota.api.prepareTransfers(seed,
[{
'address': 'SSEWOZSDXOVIURQRBTBDLQXWIXOLEUXHYBGAVASVPZ9HBTYJJEWBR9PDTGMXZGKPTGSUDW9QLFPJHTIEQZNXDGNRJE',
'value': 10000
}], {
'inputs': [
{
address: 'XB9IBINADVMP9K9FEIIR9AYEOFUU9DP9EBCKOTPSDVSNRRNVSJOPTFUHSKSLPDJLEHUBOVEIOJFPDCZS9',
balance: 1500,
keyIndex: 0,
security: 3
}, {
address: 'W9AZFNWZZZNTAQIOOGYZHKYJHSVMALVTWJSSZDDRVEIXXWPNWEALONZLPQPTCDZRZLHNIHSUKZRSZAZ9W',
balance: 8500,
keyIndex: 7,
security: 2
}
]}, function(e, s) {
console.log(e,s);
})
The address option can be used to define the address to which a remainder balance (if that is the case), will be sent to. So if all your inputs have a combined balance of 2000, and your spending 1800 of them, 200 of your tokens will be sent to that remainder address. If you do not supply the address, the library will simply generate a new one from your seed (taking security into account, or using the standard security value of 2 (medium)).
iota.api.prepareTransfers(seed, transfersArray [, options], callback)
seed: String tryte-encoded seed. It should be noted that this seed is not transferredtransfersArray: Array of transfer objects:address: String 81-tryte encoded address of recipientvalue: Int value to be transferred.message: String tryte-encoded message to be included in the bundle.tag: String Tryte-encoded tag. Maximum value is 27 trytes.options: Object which is optional:inputs: Array List of inputs used for funding the transferaddress: String if defined, this address will be used for sending the remainder value (of the inputs) to.security: Int Security level to be used for the private key / addresses. This is for inputs and generating of the remainder address in case you did not specify it. Can be 1, 2 or 3callback: Function Optional callback.Array - an array that contains the trytes of the new bundle.
sendTrytesWrapper function that does attachToTangle and finally, it broadcasts and stores the transactions.
iota.api.sendTrytes(trytes, depth, minWeightMagnitude, callback)
trytes Array trytesdepth Int depth value that determines how far to go for tip selectionminWeightMagnitude Int minWeightMagnitudeoptions Object Optional parametersreference: string Reference transaction hash, to be used in tip selection.adjustDepth: boolean Flag to enable recovery by incrementing the depth, up to maxDepth, if original was too small.maxDepth: number Max depth, defaults to 15callback: Function Optional callback.Array - returns an array of the transfer (transaction objects).
sendTransferWrapper function that basically does prepareTransfers, as well as attachToTangle and finally, it broadcasts and stores the transactions locally.
iota.api.sendTransfer(seed, depth, minWeightMagnitude, transfers [, options], callback)
seed String tryte-encoded seed. If provided, will be used for signing and picking inputs.depth Int depthminWeightMagnitude Int minWeightMagnitudetransfers: Array of transfer objects:address: String 81-tryte encoded address of recipientvalue: Int value to be transferred.message: String tryte-encoded message to be included in the bundle.tag: String 27-tryte encoded tag.options: Object which is optional:inputs: Array List of inputs used for funding the transferaddress: String if defined, this address will be used for sending the remainder value (of the inputs) to.reference: String Reference transaction hash, to be used in tip selection.adjustDepth: boolean Flag to enable recovery by incrementing the depth, up to maxDepth, if original was too small.maxDepth: number Max depth, defaults to 15callback: Function Optional callback.Array - returns an array of the transfer (transaction objects).
promoteTransactionPromotes a transaction by adding spam on top of it, as long as it is promotable.
Will promote by adding transfers on top of the current one with delay interval.
Use params.interrupt to terminate the promotion. If params.delay is set to 0 only one promotion transfer will be sent.
iota.api.promoteTransaction(transaction, depth, minWeightMagnitude, transfers [, params], callback)
transaction: String Transaction hash, has to be tail.depth Int depthminWeightMagnitude Int minWeightMagnitudetransfers: Array of transfer objects:address: String 81-tryte encoded address of recipientvalue: Int value to be transferred.message: String tryte-encoded message to be included in the bundle.tag: String 27-tryte encoded tag.params Object Paramsdelay int Delay between promotion transfersinterrupt Boolean || Function Flag to terminate promotion, can be boolean or a function returning a booleanmaxDepth number Max depth, defaults to 15callback Function CallbackArray - returns an array of the Promotion transfer (transaction object).
replayBundleTakes a tail transaction hash as input, gets the bundle associated with the transaction and then replays the bundle by attaching it to the tangle.
iota.api.replayBundle(transaction, depth, minWeightMagnitude [, callback])
transaction: String Transaction hash, has to be tail.depth Int depthminWeightMagnitude Int minWeightMagnitudecallback: Function Optional callbackbroadcastBundleTakes a tail transaction hash as input, gets the bundle associated with the transaction and then rebroadcasts the entire bundle.
iota.api.broadcastBundle(transaction [, callback])
transaction: String Transaction hash, has to be tail.callback: Function Optional callbackgetBundleThis function returns the bundle which is associated with a transaction. Input has to be a tail transaction (i.e. currentIndex = 0). If there are conflicting bundles (because of a replay for example) it will return multiple bundles. It also does important validation checking (signatures, sum, order) to ensure that the correct bundle is returned.
iota.api.getBundle(transaction, callback)
transaction: String Transaction hash of a tail transaction.callback: Function Optional callbackArray - returns an array of the corresponding bundle of a tail transaction. The bundle itself consists of individual transaction objects.
getTransfersReturns the transfers which are associated with a seed. The transfers are determined by either calculating deterministically which addresses were already used, or by providing a list of indexes to get the addresses and the associated transfers from. The transfers are sorted by their timestamp. It should be noted that, because timestamps are not enforced in IOTA, that this may lead to incorrectly sorted bundles (meaning that their chronological ordering in the Tangle is different).
If you want to have your transfers split into received / sent, you can use the utility function categorizeTransfers
iota.api.getTransfers(seed [, options], callback)
seed: String tryte-encoded seed. It should be noted that this seed is not transferredoptions: Object which is optional:start: Int Starting key index for searchend: Int Ending key index for searchsecurity: Int Security level to be used for the private key / addresses, which is used for getting all associated transfers.inclusionStates: Bool If True, it gets the inclusion states of the transfers.callback: Function Optional callback.Array - returns an array of transfers. Each array is a bundle for the entire transfer.
getAccountDataSimilar to getTransfers, just a bit more comprehensive in the sense that it also returns the addresses, transfers, inputs and balance that are associated and have been used with your account (seed). This function is useful in getting all the relevant information of your account. If you want to have your transfers split into received / sent, you can use the utility function categorizeTransfers
iota.api.getAccountData(seed [, options], callback)
seed: String tryte-encoded seed. It should be noted that this seed is not transferredoptions: Object which is optional:start: Int Starting key index for searchend: Int Ending key index for searchsecurity: Int Security level to be used for the private key / addresses, which is used for getting all associated transfers.callback: Function Optional callback.Object - returns an object of your account data in the following format:
{
'latestAddress': '', // Latest, unused address which has no transactions in the tangle
'addresses': [], // List of all used addresses which have transactions associated with them
'transfers': [], // List of all transfers associated with the addresses
'inputs': [], // List of all inputs available for the seed. Follows the getInputs format of `address`, `balance`, `security` and `keyIndex`
'balance': 0 // latest confirmed balance
}
isPromotableChecks if tail transaction is promotable by calling checkConsistency API call.
iota.api.isPromotable(tail)
tail {String} Tail transaction hashPromise - resolves to true / false
isReattachableThis API function helps you to determine whether you should replay a transaction or make a completely new transaction with a different seed. What this function does, is it takes an input address (i.e. from a spent transaction) as input and then checks whether any transactions with a value transferred are confirmed. If yes, it means that this input address has already been successfully used in a different transaction and as such you should no longer replay the transaction.
iota.api.isReattachable(inputAddress, callback)
inputAddress: String | Array address used as input in a transaction. Either string or array.callback: Function callback functionBool - true / false (if you provided an array, it's an array of bools)
iota.utilsAll utils function are done synchronously.
convertUnitsIOTA utilizes the Standard system of Units. See below for all available units:
'i' : 1,
'Ki' : 1000,
'Mi' : 1000000,
'Gi' : 1000000000,
'Ti' : 1000000000000,
'Pi' : 1000000000000000
iota.utils.convertUnits(value, fromUnit, toUnit)
value: Integer || String Value to be converted. Can be string, an integer or float.fromUnit: String Current unit of the value. See above for the available units to utilize for conversion.toUnit: String Unit to convert the from value into.Integer - returns the converted unit (fromUnit => toUnit).
addChecksumTakes a tryte-encoded input value and adds a checksum (length is user defined). Standard checksum length is 9 trytes. If isAddress is defined as true, it will validate if it's a correct 81-tryte enocded address.
iota.utils.addChecksum(inputValue, checksumLength, isAddress)
inputValue: String | List Either an individual tryte value, or a list of tryte values.checksumLength: Int Checksum length. Default is 9 trytesisAddress: Bool indicates whether the input value should be validated as an address (81-trytes). Default is true.String | List - returns the input value + checksum either as a string or list, depending on the input.
noChecksumTakes an 90-trytes address as input and simply removes the checksum.
iota.utils.noChecksum(address)
address: String | List 90-trytes address. Either string or a listString | List - returns the 81-tryte address(es)
isValidChecksumTakes an 90-trytes checksummed address and returns a true / false if it is valid.
iota.utils.isValidChecksum(addressWithChecksum)
addressWithChecksum: String 90-trytes addressBool - True / False whether the checksum is valid or not
transactionObjectConverts the trytes of a transaction into its transaction object.
iota.utils.transactionObject(trytes)
trytes: String 2673-trytes of a transactionObject - Transaction object
transactionTrytesConverts a valid transaction object into trytes. Please refer to [TODO] for more information what a valid transaction object looks like.
iota.utils.transactionTrytes(transactionObject)
transactionObject: Object valid transaction objecttrytes - converted trytes of
categorizeTransfersCategorizes a list of transfers into sent and received. It is important to note that zero value transfers (which for example, is being used for storing addresses in the Tangle), are seen as received in this function.
iota.utils.categorizeTransfers(transfers, addresses)
transfers: Array A list of bundles. Basically is an array, of arrays (bundles), as is returned from getTransfers or getAccountDataaddresses: Array List of addresses that belong to you. With these addresses as input, it's determined whether it's a sent or a receive transaction. Therefore make sure that these addresses actually belong to you.object - the transfers categorized into sent and received
toTrytesConverts ASCII characters into trytes according to our encoding schema (read the source code for more info as to how it works). Currently only works with valid ASCII characters. As such, if you provide invalid characters the function will return null. In case you want to convert JSON data, stringify it first.
iota.utils.toTrytes(input)
input: String String you want to convert into trytes. All non-string values should be converted into strings first.string || null - trytes, or null in case you provided an invalid ASCII character
fromTrytesReverse of toTrytes.
iota.utils.fromTrytes(trytes)
trytes: String Trytes you want to convert to stringstring - string
extractJsonThis function takes a bundle as input and from the signatureMessageFragments extracts the JSON encoded data which was sent with the transfer. This currently only works with the toTrytes and fromTrytes function that use the ASCII <-> Trytes encoding scheme. In case there is no JSON data, or invalid one, this function will return null
iota.utils.extractJson(bundle)
bundle: Array bundle from which you want to extract the JSON data.String - Stringified JSON object which was extracted from the transactions.
validateSignaturesThis function makes it possible for each of the co-signers in the multi-signature to independently verify that a generated transaction with the corresponding signatures of the co-signers is valid. This function is safe to use and does not require any sharing of digests or key values.
iota.utils.validateSignatures(signedBundle, inputAddress)
signedBundle: Array signed bundle by all of the co-signersinputAddress: String input address as provided to initiateTransfer.bool - true / false
isBundleChecks if the provided bundle is valid. The provided bundle has to be ordered tail (i.e. currentIndex: 0) first. A bundle is deemed valid if it has:
currentIndex, lastIndex and number of bundle transactionsvalue fields is 0iota.utils.isBundle(bundle)
bundle: Array bundle to testbool - true / false
iota.multisigMulti signature related functions.
VERY IMPORTANT NOTICE
Before using these functions, please make sure that you have thoroughly read our guidelines for multi-signature. It is of utmost importance that you follow these rules, else it can potentially lead to financial losses.
getKeyGenerates the corresponding private key (depending on the security chosen) of a seed.
iota.multisig.getKey(seed, index, security)
seed: String Tryte encoded seedindex: 'Int' Index of the private key.security: Int Security level to be used for the private keyString - private key represented in trytes.
getDigestGenerates the digest value of a key.
iota.multisig.getDigest(seed, index)
seed: String Tryte encoded seedindex: 'Int' Index of the private key.security: Int Security level to be used for the private keyString - digest represented in trytes.
addressThis function is used to initiate the creation of a new multisig address. Once all digests were absorbed with address.absorb(), address.finalize() can be used to get the actual 81-tryte address value. validateAddress() can be used to actually validate the multi-signature.
var address = new iota.multisig.address(digests);
digestTrytes: String || Array Optional string or array of digest trytes as returned by getDigestObject - multisig address instance
address.absorbAbsorbs the digests of co-signers
address.absorb(digest);
digest: String || Array String or array of digest trytes as returned by getDigestObject - multisig address instance
address.finalizeFinalizes the multisig address generation process and returns the correct 81-tryte address.
address.finalize()
String - 81-tryte multisig address
validateAddressValidates a generated multi-sig address by getting the corresponding key digests of each of the co-signers. The order of the digests is of essence in getting correct results.
iota.multisig.validateAddress(multisigAddress, digests)
multisigAddress: String digest trytes as returned by getDigestdigests: 'Array' array of the key digest for each of the cosigners. The digests need to be provided in the correct signing order.Bool - true / false
initiateTransferInitiates the creation of a new transfer by generating an empty bundle with the correct number of bundle entries to be later used for the signing process. It should be noted that currently, only a single input (via inputAddress) is possible. The remainderAddress also has to be provided and should be generated by the co-signers of the multi-signature before initiating the transfer.
The securitySum input is basically the sum of the security levels from all cosigners chosen during the private key generation (getKey / getDigest). e.g. when creating a new multisig, Bob has chosen security level 2, whereas Charles has chosen security level 3. Their securitySum is 5.
iota.multisig.initiateTransfer(securitySum, inputAddress, remainderAddress, transfers, callback)
securitySum: Int The sum of the security levels chosen by all cosigners when generating the private keys.inputAddress: String input address which has sufficient balance and is controlled by the co-signersremainderAddress: String in case there is a remainder balance, send the funds to this address. If you do not have a remainder balance, you can simply put nulltransfers: Array Transfers objectcallback: FunctionArray - bundle
addSignatureThis function is called by each of the co-signers individually to add their signature to the bundle. Here too, order is important. This function returns the bundle, which should be shared with each of the participants of the multi-signature.
After having added all signatures, you can validate the signature with the utils.validateSignature() function.
iota.multisig.addSignature(bundleToSign, inputAddress, key, callback)
bundleToSign: Array bundle to signinputAddress: String input address as provided to initiateTransfer.key: String private key trytes as returned by getKeycallback: FunctionArray - bundle
iota.validValidator functions. Return either true / false.
isAddressChecks if the provided input is a valid 81-tryte (non-checksum), or 90-tryte (with checksum) address.
iota.valid.isAddress(address)
address: String A single addressisTrytesDetermines if the provided input is valid trytes. Valid trytes are: ABCDEFGHIJKLMNOPQRSTUVWXYZ9. If you specify the length parameter, you can also validate the input length.
iota.valid.isTrytes(trytes [, length])
trytes: Stringlength: int || string optionalisValueValidates the value input, checks if it's integer.
iota.valid.isValue(value)
value: IntegerisNumChecks if the input value is a number, can be a string, float or integer.
iota.valid.isNum(value)
value: IntegerisHashChecks if correct hash consisting of 81-trytes.
iota.valid.isHash(hash)
hash: StringisTransfersArrayChecks if it's a correct array of transfer objects. A transfer object consists of the following values:
{
'address': // STRING (trytes encoded, 81 or 90 trytes)
'value': // INT
'message': // STRING (trytes encoded)
'tag': // STRING (trytes encoded, maximum 27 trytes)
}
iota.valid.isTransfersArray(transfersArray)
transfersArray: arrayisArrayOfHashesArray of valid 81 or 90-trytes hashes.
iota.valid.isArrayOfHashes(hashesArray)
hashesArray: ArrayisArrayOfTrytesChecks if it's an array of correct 2673-trytes. These are trytes either returned by prepareTransfers, attachToTangle or similar call. A single transaction object is encoded 2673 trytes.
iota.valid.isArrayOfTrytes(trytesArray)
trytesArray: ArrayisArrayOfAttachedTrytesSimilar to isArrayOfTrytes, just that in addition this function also validates that the last 243 trytes are non-zero (meaning that they don't equal 9). The last 243 trytes consist of: trunkTransaction + branchTransaction + nonce. As such, this function determines whether the provided trytes have been attached to the tangle successfully. For example this validator can be used for trytes returned by attachToTangle.
iota.valid.isArrayOfAttachedTrytes(trytesArray)
trytesArray: ArrayisArrayOfTxObjectsChecks if the provided bundle is an array of correct transaction objects. Basically validates if each entry in the array has all of the following keys:
var keys = [
'hash',
'signatureMessageFragment',
'address',
'value',
'tag',
'timestamp',
'currentIndex',
'lastIndex',
'bundle',
'trunkTransaction',
'branchTransaction',
'nonce'
]
iota.valid.isArrayOfTxObjects(bundle)
bundle: ArrayisInputsValidates if it's an array of correct input objects. These inputs are provided to either prepareTransfers or sendTransfer. An input objects consists of the following:
{
'keyIndex': // INT
'address': // STRING
}
iota.valid.isInputs(inputsArray)
inputsArray: ArrayisStringSelf explanatory.
iota.valid.isString(string)
isArraySelf explanatory.
iota.valid.isArray(array)
isObjectSelf explanatory.
iota.valid.isObject(array)
isUriValidates a given string to check if it's a valid IPv6, IPv4 or hostname format. The string must have a udp:// prefix, and it may or may not have a port. Here are some example inputs:
udp://[2001:db8:a0b:12f0::1]:14265
udp://[2001:db8:a0b:12f0::1]
udp://8.8.8.8:14265
udp://domain.com
udp://domain2.com:14265
iota.utils.isUri(node)
node: String IPv6, IPv4 or Hostname with or without a port.bool - true/false if valid node format.
FAQs
Javascript Library for IOTA
We found that iota.lib.js demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Socket CEO Feross Aboukhadijeh joins Software Engineering Daily to discuss modern software supply chain attacks and rising AI-driven security risks.

Security News
GitHub has revoked npm classic tokens for publishing; maintainers must migrate, but OpenJS warns OIDC trusted publishing still has risky gaps for critical projects.

Security News
Rust’s crates.io team is advancing an RFC to add a Security tab that surfaces RustSec vulnerability and unsoundness advisories directly on crate pages.