mathjs/lib/expression/node/UpdateNode.js
2015-03-13 21:23:13 +01:00

95 lines
2.6 KiB
JavaScript

'use strict';
var Node = require('./Node'),
IndexNode = require('./IndexNode');
/**
* @constructor UpdateNode
* @extends {Node}
* Update a matrix subset, like A[2,3] = 4.5
*
* @param {IndexNode} index IndexNode containing symbol and ranges
* @param {Node} expr The expression defining the symbol
*/
function UpdateNode(index, expr) {
if (!(this instanceof UpdateNode)) {
throw new SyntaxError('Constructor must be called with the new operator');
}
if (!(index instanceof IndexNode)) {
throw new TypeError('Expected IndexNode for parameter "index"');
}
if (!(expr instanceof Node)) {
throw new TypeError('Expected Node for parameter "expr"');
}
this.index = index;
this.expr = expr;
}
UpdateNode.prototype = new Node();
UpdateNode.prototype.type = 'UpdateNode';
/**
* Compile the node to javascript code
* @param {Object} defs Object which can be used to define functions
* or constants globally available for the compiled
* expression
* @return {String} js
* @private
*/
UpdateNode.prototype._compile = function (defs) {
return 'scope["' + this.index.objectName() + '\"] = ' +
this.index.compileSubset(defs, this.expr._compile(defs));
};
/**
* Execute a callback for each of the child nodes of this node
* @param {function(child: Node, path: string, parent: Node)} callback
*/
UpdateNode.prototype.forEach = function (callback) {
callback(this.index, 'index', this);
callback(this.expr, 'expr', this);
};
/**
* Create a new UpdateNode having it's childs be the results of calling
* the provided callback function for each of the childs of the original node.
* @param {function(child: Node, path: string, parent: Node): Node} callback
* @returns {UpdateNode} Returns a transformed copy of the node
*/
UpdateNode.prototype.map = function (callback) {
return new UpdateNode(
this._ifNode(callback(this.index, 'index', this)),
this._ifNode(callback(this.expr, 'expr', this))
);
};
/**
* Create a clone of this node, a shallow copy
* @return {UpdateNode}
*/
UpdateNode.prototype.clone = function() {
return new UpdateNode(this.index, this.expr);
};
/**
* Get string representation
* @return {String}
*/
UpdateNode.prototype.toString = function() {
return this.index.toString() + ' = ' + this.expr.toString();
};
/**
* Get LaTeX representation
* @param {Object|function} callback(s)
* @return {String}
*/
UpdateNode.prototype.toTex = function(customFunctions) {
return this.index.toTex(customFunctions) + ' = ' + this.expr.toTex(customFunctions);
};
module.exports = UpdateNode;