Local UDF in JavaScript
In addition to Remote UDF, Timeplus also supports JavaScript-based UDF running in the database engine. You can develop User-defined scalar functions (UDFs) or User-defined aggregate functions (UDAFs) with modern JavaScript (powered by V8). No need to deploy extra server/service for the UDF. More languages will be supported in the future.
The JavaScript-based UDF can run in both Timeplus Cloud and the on-prem deployments. It runs "locally" in the database engine. It doesn't mean this feature is only available for local deployment.
Register a JS UDF
- Open "UDFs" from the navigation menu on the left, and click the 'Register New Function' button.
- Specify a function name, such as
second_max
. Make sure the name won't conflict with built-in functions or other UDF. Description is optional. - Choose the data type for input parameters and return value.
- Choose "JavaScript" as the UDF type.
- Specify whether the function is for aggregation or not.
- Enter the JavaScript source for the UDF. (We will explain more how to write the code.)
- Click Create button to register the function.
Arguments
Unlike Remote UDF, the argument names don't matter when you register a JS UDF. Make sure you the list of arguments matches the input parameter lists in your JavaScript function.
The input data are in Timeplus data type. They will be converted to JavaScript data type.
Timeplus Data Types | JavaScript Data Types |
---|---|
int8/16/32/64, uint8/16/32/64,float32/64 | number |
bool | boolean |
fixed_string/string | string |
date/date32/datetime/datetime64 | Date (in milliseconds) |
array(Type) | Array |
Returned value
The JavaScript UDF can return the following data types and they will be converted back to the specified Timeplus data types. The supported return type are similar to argument types. The only difference is that if you return a complex data structure as an object
, it will be converted to a named tuple
in Timeplus.
JavaScript Data Types | Timeplus Data Types |
---|---|
number | int8/16/32/64, uint8/16/32/64,float32/64 |
boolean | bool |
string | fixed_string/string |
Date (in milliseconds) | date/date32/datetime/datetime64 |
Array | array(Type) |
object | tuple |
Develop a scalar function
A scalar function is a function that returns one value per invocation; in most cases, you can think of this as returning one value per row. This contrasts with Aggregate Functions, which returns one value per group of rows.
Scalar function with 1 argument
For example, you would like to check whether the user sets a work email in their profile. Although this could be doable with plain SQL but it'll be nice if you can create a UDF to make the SQL more readable, e.g.
SELECT * FROM user_clicks where is_work_email(email)
You can use the following code to define a new function is_work_email
with one input type string
and return bool
.
function is_work_email(values){
return values.map(email=>email.endsWith("@gmail.com"));
}
Notes:
- The first line defines a function with the exact same name as the UDF. The number of arguments should match what you specify in the UDF form.
- Please note the input is actually a JavaScript list. For the sake of high performance, Timeplus will reduce the number of function calls by combining the arguments together. You need to return a list with the exact same length of the input.
values.map(..)
creates a new array populated with the results of calling a provided function on every element in the calling array (doc).email=>email.endsWith("@gmail.com")
is the shortcut to return abool
by checking whether the email ends with "@gmail.com". You can add more complex logic, or write in multiple lines and end withreturn ..
.
Scalar function with 2 or more arguments
Let's enhance the previous example, by defining a list of email domains which won't be considered as work-related. e.g.
SELECT * FROM user_clicks where email_not_in(email,'gmail.com,icloud.com,live.com')
Similar to the last tutorial, you create a new function called email_not_in
. This time you specify two arguments in string
. Note: currently JS UDF doesn't support complex data types, such as array(string)
.
The following code implements this new function:
function email_not_in(emails,lists){
let list=lists[0].split(','); // convert string to array(string)
return emails.map(email=>{
for(let i=0;i<list.length;i++){
if(email.endsWith('@'+list[i]))
return false; // if the email ends with any of the domain, return false, otherwise continue
}
return true; // no match, return true confirming the email is in none of the provided domains
});
}
Scalar function with no argument
Currently we don't support JS UDF without arguments. As a workaround, you can define a single argument, e.g.
SELECT *, magic_number(1) FROM user_clicks
The magic_number
takes an int
argument as a workaround.
function magic_number(values){
return values.map(v=>42)
}
In this case, the function will return 42
no matter what parameter is specified.
Develop an aggregate function
An aggregate function returns one value per group of rows. When you register the UDF, make sure you turn on the option to indicate this is an aggregation function. Compared to scalar functions, the life cycle is a bit more complex.
3 required and 3 optional functions
Let's take an example of a function to get the second maximum values from the group.
Order | Function | Required? | Description | Example |
---|---|---|---|---|
1 | initialize() | Yes | Initialize the states. | function(){ this.max=-1.0; this.sec_max=-1.0; } |
2 | process(args..) | Yes | Main logic for the function | function(values){ values.map(..) } |
3 | finalize() | Yes | Return the final aggregation result | function(){ return this.sec_max } |
4 | serialize() | No | Serialize JS internal state to a string, so that Timeplus can persist for failover/recovery. | function(){ return JSON.stringify({'max':this.max,'sec_max':this.sec_max}) } |
5 | deserialize(str) | No | Opposite to serialize(). Read the string and convert back to JS internal state. | function(str){ let s=JSON.parse(str); this.max=s['max']; this.sec_max=s['sec_max']; } |
6 | merge(str) | No | Merges two states into one. Used for multiple shards processing. | function(str){ let s=JSON.parse(str); if..else..} |
Example: get second largest number
The full source code for this JS UDAF is
{
initialize: function() {
this.max = -1.0;
this.sec_max = -1.0;
},
process: function(values) {
for (let i = 0; i < values.length; i++) {
this._update(values[i]);
}
},
_update: function(value) {
if (value > this.max) {
this.sec_max = this.max;
this.max = value;
} else if (value > this.sec_max) {
this.sec_max = value;
}
},
finalize: function() {
return this.sec_max
},
serialize: function() {
return JSON.stringify({
'max': this.max,
'sec_max': this.sec_max
});
},
deserialize: function(state_str) {
let s = JSON.parse(state_str);
this.max = s['max'];
this.sec_max = s['sec_max']
},
merge: function(state_str) {
let s = JSON.parse(state_str);
this._update(s['max']);
this._update(s['sec_max']);
}
};
To register this function, choose JavaScript as UDF type, make sure to turn on 'is aggregation'. Set the function name say second_max
(you don't need to repeat the function name in JS code). Add one argument in float
type and set return type to float
too.
Please note, unlike JS scalar function, you need to put all functions under an object {}
. You can define internal private functions, as long as the name won't conflict with native functions in JavaScript, or in the UDF lifecycle.
Notes
- We will provide better testing tools in the future.
- The custom JavaScript code is running in a sandbox with V8 engine. It won't impact other workspaces.