Home > OS >  Javascript function available but not “readable”
Javascript function available but not “readable”

Time:01-19

I have a proprietary math formula written in a javascript function that I need to make available for a website to use it without them actually having access to the code itself. Is it possible?

The idea is to make the formula available online without people being able to read the code. I have no idea how to do it. I read about private packages on npm, but it seems to restrict prople who can use and read the code. I need them to use it but not read it.

CodePudding user response:

If the code is run on the client's machine in any way, it will be possible for any sufficient dedicated and persistent user to find it, eventually; all code that runs on a page can be found through the browser devtools.

The only way for true privacy for such a thing would be to not send the code that implements the formula to the client in the first place. Set up a server, if you don't already have one, and create a very simple API for it - one that takes the inputs for the formula as, say, a POST request, runs the formula that calculates the result on the server, and responds to the client with the result.

CodePudding user response:

Use node.js to create an express server that listens for incoming requests and then send back the result to the client in the response

const express = require('express');
const app = express();

function proprietaryFormula(x, y) {
    // the formula goes here
    return x   y;
}

app.get('/formula', (req, res) => {
    let x = req.query.x;
    let y = req.query.y;
    let result = proprietaryFormula(x, y);
    res.send(result);
});

app.listen(3000, () => {
    console.log('started listening on port 3000');
});

The website can call this API to access the formula's functionality, and the code for the formula is kept on the server and never exposed to the client-side.

  • Related