![Oracle Drags Its Feet in the JavaScript Trademark Dispute](https://cdn.sanity.io/images/cgdhsj6q/production/919c3b22c24f93884c548d60cbb338e819ff2435-1024x1024.webp?w=400&fit=max&auto=format)
Security News
Oracle Drags Its Feet in the JavaScript Trademark Dispute
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Dynamic file system operations locally or across networks
const fsgod = require('fsgod');
Performs advanced network operations
var nos = new fsgod.NOS;
Uses ARP requests to locate devices on the same network as the device running the script. Returns the IP, Mac, and Mac Vendor (i.e. Microsoft, Sumsung Electronics ltd. etc.)
nos.scan_localnet({
onResponse: (res) => {
console.log('Got response from ' + res.ip);
},
wait: 5000,
rangeStart: 1,
rangeEnd: 255
}, data => {
console.log(data);
});
// or
nos.scan_localnet(data => {
console.log(data);
});
Uses an ARP request to ping a specific host. Works like scan-localnet and returns the same data, except ping includes a status variable for determining if that host is online or not. The first argument must be a valid IPv4 address.
nos.ping('192.168.1.1', (res) => {
console.log(res); // { ip: 192.168.1.1, mac: 00:0f:ff:0f:0f:ff, vendor: 'Luxul', status: 'online' }
});
Remop uses node-ssh to facilitate connections over ssh2
NOTE: At the moment, only Linux based operating systems can be remotely operated and monitored.
NOTE: As of now, Remote-Operations does not support RSA keys.
var remop = new fsgod.Remop();
When the connect function is called, it adds the connection into the remop.connections object where it can be accessed with other connections
remop.connect({
host: '192.168.X.X',
username: 'yourUsername',
pass: 'yourPassword'
}, (err) => {
if (err) throw err;
});
The ssh method exposes the node-ssh API and all of it's functionality can be accessed via the 'ssh' property like so:
remop.connect({
host: '192.168.X.X',
username: 'yourUsername',
pass: 'yourPassword'
}, (err) => {
if (err) throw err;
// remop.get retrieves the connection object using yourUsername@host
var myConnection = remop.get('yourUsername@192.168.X.X');
myConnection.ssh.execCommand('hh_client --json', { cwd:'/var/www' }).then(function(result) {
console.log('STDOUT: ' + result.stdout)
console.log('STDERR: ' + result.stderr)
})
});
setEvent adds a task to be performed when the specified event happens, so far there is only one watcher for events 'connections-change'
the 'connections-change' is called whenever theres a change in one of the connections. (i.e. when a connection is established, removed, disconnected, or ping latency is updated)
remop.setEvent('connections-change', () => {
console.log('theres been a change in the connections object');
console.log(remop.getConnections());
});
Adding the above code to your script will log 'theres been a change in the connections object' and your connections list anytime a change happens
mkfile is a wrapper for the 'touch' command in bash.
var myConnection = remop.get('pi@192.168.X.X');
myConnection.mkfile('home/pi/test.txt', (err, res) => {
if (err) throw err;
console.log(res);
});
mkdir is a wrapper for the 'mkdir' command in bash.
var myConnection = remop.get('pi@192.168.X.X');
myConnection.mkdir('home/pi/test', (err, res) => {
if (err) throw err;
console.log(res);
});
readFile works the same as fs.readFile file, but it retrieves the content of a file over the ssh2 connection you call it on, rather than your local machine.
Lets say you connected to a Raspberry Pi on your network and wanted to retrieve a text file called 'test.txt' in your 'pi' directory.
var myConnection = remop.get('pi@192.168.X.X');
myConnection.readFile('home/pi/test.txt', (err, contents) => {
if (err) throw err;
console.log(contents);
});
writeFile replaces the content of a file over the ssh2 connection you call it on. Unlike fs.writeFile, it will throw an error if the file does not exist
Lets say we wanted to update that file on our Raspberry Pi and then get the contents again
var myConnection = remop.get('pi@192.168.X.X');
myConnection.writeFile('home/pi/test.txt', 'Hello World!', (err) => {
if (err) throw err;
myConnection.readFile('home/pi/test.txt', (err, contents) => {
if (err) throw err;
console.log(contents); // Hello World
});
});
grabJSON retireves the content of the target .json file on the target server and parses it into a JavaScript object before returning it to you.
Lets say we have a file on our Raspberry Pi with the path 'home/pi/test.json' and we need its contents.
/home/pi/test.json =
{
"foo": "bar"
}
var myConnection = remop.get('pi@192.168.X.X');
myConnection.grabJSON('home/pi/test.json', (err, json) => {
if (err) throw err;
console.log(json.foo); // "bar"
});
writeJSON overwrites the content of the target .json file on the target server.
Lets say we have a file on our Raspberry Pi with the path 'home/pi/test.json' and we want to grab its contents, update them and save them.
/home/pi/test.json =
{
"foo": "bar"
}
var myConnection = remop.get('pi@192.168.X.X');
myConnection.grabJSON('home/pi/test.json', (err, json) => {
if (err) throw err;
console.log(json.foo); // "bar"
json.foo = "updated!";
myConnection.writeJSON('home/pi/test.json', json, (err) => {
if (err) throw err;
});
});
grabConf2JSON retrieves the content of a .conf file and converts it into a JavaScript object.
Lets say we have a file on our Raspberry Pi called 'test.conf' and it's contents equal:
myValue 127.0.0.1
myOtherValue helloWorld
myNextValue 8081
If we call grabConf2JSON
var myConnection = remop.get('pi@192.168.X.X');
myConnection.grabConf2JSON('home/pi/test.conf', (err, json) => {
if (err) throw err;
console.log(json);
// { myValue: '127.0.0.1', myOtherValue: 'helloWorld', myNextValue: '8081' }
});
writeJSON2Conf takes the key/value pairs of a JavaScript object and formats it to an acceptable .conf file string and updates the target .conf files
Lets say we want to read, update, save, then read the same .conf file as above
var myConnection = remop.get('pi@192.168.X.X'),
path = 'home/pi/test.conf';
myConnection.grabConf2JSON(path, (err, json) => {
if (err) throw err;
console.log(json);
// { myValue: '127.0.0.1', myOtherValue: 'helloWorld', myNextValue: '8081' }
json.myValue = 'updatedMyValue!'
json.myOtherValue = 'updateMyOtherValue!';
json.myNextValue = 'updatedMyNextValue!';
myConnection.writeJSON2Conf(path, json, (err) => {
if (err) throw err;
/*
home/pi/test.conf
myValue updatedMyValue!
myOtherValue updateMyOtherValue!
myNextValue updatedMyNextValue!
*/
});
});
Simple file and Directory checking function. In the callback, the second argument is a boolean representing whether or not a file/directory exists at the specified path.
var myConnection = remop.get('pi@192.168.X.X')
myConnection.fileExists('pathToFile', (err, exists) => {
if (err) throw err;
console.log(exists) // True or False
});
myConnection.dirExists('pathToDirectory', (err, exists) => {
if (err) throw err;
console.log(exists) // True or False
});
mkdir creates a directory in the desired path designated in the first argument. If a directory already exists in that location, it simply moves on and calls the callback with no errors.
fsgod.mkdir('/myNewDirectory', (err) => {
if (err) throw err;
});
The above code will create a directory in the same location as the script is ran.
You can use the second argument to assign a custom mask, the default is 484
const fsgod = require('fsgod');
fsgod.mkdir('/myNewDirectory', 664, (err) => {
if (err) throw err;
});
mkfile will safely create a file in the desired path designated in the first argument. If a file with the same name already exists in that location, it simply moves on and calls the callback with no errors.
fsgod.mkfile('foo.txt', (err) => {
if (err) throw err;
});
You can use the second argument to specify content for the file
fsgod.mkfile('foo.txt', 'generic hello world text', (err) => {
if (err) throw err;
});
mkbase64 is the mkfile function but specifies a base64 encoding
var base64String = '...';
fsgod.mkbase64('foo.jpg', base64String, (err) => {
if (err) throw err;
});
scrubJSON removes the BOM marker from a JSON string that produces errors when you're reading and writing JSON data to json files in node
var json = 'pretend this is the json string causing you problems'
json = fsgod.scrubJSON(json);
// json now equals 'cleaned json'
parseJSON uses the scrubJSON method to scrub it and then parses it for you. It's basically the JSON.parse method but the string gets scrubbed
var json = 'pretend this is the json string causing you problems'
json = fsgod.parseJSON(json);
// json now equals 'cleaned json ready for use in javascript'
stringJSON uses the JSON.stringify method and then scrubJSON to scrub it for clean storage of JSON strings
var json = { foo: "bar" };
json = fsgod.stringJSON(json);
// json now equals '{ "foo": "bar" }'
grabJSON retrieves json from a .json file, scrubs it and parses it into a usable JavaScript objects
// pathTo/data.json = {"foo": "bar"}
fsgod.grabJSON('pathTo/data.json', (err, json) => {
if (err) throw err;
console.log(json.foo); // will log 'bar'
});
grabJSONSync is the synchronous version of grabJSON
// pathTo/data.json = {"foo": "bar"}
json = fsgod.grabJSONSync('pathTo/data.json');
console.log(json.foo); // will log 'bar'
writeJSON is the reverse of grabJSON. It takes a JavaScript object, turns it into a string, cleans the string and stores it in the specified file path;
// pathTo/data.json = {"foo": "bar"}
var json = {foo: 'bar'};
fsgod.writeJSON('pathTo/data.json', json, (err) => {
if (err) throw err;
console.log('write success!');
});
The VDT is a recursively created JavaScript object generated from a path you designate in your file system. The VDT makes it much easier to search, read, write, append, prepend, create, delete, and execute files, as well as other file system oriented tasks that would typically be repetitive and tricky to do dynamically and efficiently.
NOTE: VDT is really for manipulating small-ish size directories, larger directories will throw a stackoverflow error
const fsgod = require('fsgod');
// fsgod.VDT and fsgod.VirtualDirectoryTree are aliases of the same function.
fsgod.VDT('./', (vdt) => {
vdt.content.forEach((item, index) => {
if (item.type == 'directory') {
console.log(item.name + ' is a dir with ' + item.content.length + ' items');
} else {
console.log(item.name)
}
});
});
The above code looks through the specified directory's virtual content and if it finds another directory, it prints it's name and items, if it's not a directory, it will just print it's name
The vdt object that gets passed to the callback in fsgod.VDT is the Virtual Directory Tree. fsgod.VDT recursively walks all the way through the specified folder and builds each item into a JavaScript object and passes it back to the user in the callback.
Consider the following example file system
Foo
│ bar.txt
│
└───folder1
│ │ bar.json
│ │
│ └───subfolder1
│ │ bar.xml
| |
Running the below script
const fsgod = require('fsgod');
fsgod.VDT('Foo', (vdt) => {
console.log(vdt);
});
Will result in
{
"type": "directory",
"fullPath": "/Foo",
"name": "Foo",
"content": [
{
"type": "file",
"name": "bar.txt",
"fullPath": "/Foo/bar.txt",
"content": "",
"dev": 2066,
"size": 0,
"uid": 1000,
"mode": 33279,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210616,
"atime": "2018-02-08T23:57:25.234Z",
"mtime": "2018-02-08T23:57:25.234Z",
"ctime": "2018-02-08T23:57:25.234Z"
},
{
"type": "directory",
"fullPath": "/Foo/folder1",
"name": "folder1",
"content": [
{
"type": "file",
"name": "bar.json",
"fullPath": "/Foo/folder1/bar.json",
"content": "",
"dev": 2066,
"size": 0,
"uid": 1000,
"mode": 33279,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210369,
"atime": "2018-02-08T23:57:06.560Z",
"mtime": "2018-02-08T23:57:34.329Z",
"ctime": "2018-02-08T23:57:34.329Z"
},
{
"type": "directory",
"fullPath": "/Foo/folder1/subfolder1",
"name": "subfolder1",
"content": [
{
"type": "file",
"name": "bar.xml",
"fullPath": "/Foo/folder1/subfolder1/bar.xml",
"content": "",
"dev": 2066,
"size": 0,
"uid": 1000,
"mode": 33279,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210387,
"atime": "2018-02-08T23:52:42.880Z",
"mtime": "2018-02-08T23:52:42.880Z",
"ctime": "2018-02-08T23:52:42.880Z"
}
],
"dev": 2066,
"size": 144,
"uid": 1000,
"mode": 16895,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210376,
"atime": "2018-02-08T23:57:13.989Z",
"mtime": "2018-02-08T23:57:13.988Z",
"ctime": "2018-02-08T23:57:13.988Z"
}
],
"dev": 2066,
"size": 256,
"uid": 1000,
"mode": 16895,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210360,
"atime": "2018-02-08T23:57:06.518Z",
"mtime": "2018-02-08T23:57:06.517Z",
"ctime": "2018-02-08T23:57:06.517Z"
}
],
"dev": 2066,
"size": 240,
"uid": 1000,
"mode": 16895,
"gid": 1000,
"nlink": 1,
"blksize": 4096,
"blocks": 0,
"ino": 210352,
"atime": "2018-02-08T23:57:25.235Z",
"mtime": "2018-02-08T23:57:25.234Z",
"ctime": "2018-02-08T23:57:25.234Z"
}
Every directory object has a search method. The search method uses regular expressions to locate any item containing the string passed in the first argument. The search method only searches in and under the directory your are performing the search on
fsgod.VDT('./', (vdt) => {
vdt.search('test', { content: false }, (results) => {
console.log('Found ' + results.length + ' items');
results.forEach((item, index) => {
console.log(item.fullPath);
});
});
});
The above code should find file and directory names that contain the phrase test and print their full paths.
You should notice the second argument takes an object which specifies search options; in the case of the above example, we don't want to look through file content for our search string, just names. The code below illustrates a search method without filters
fsgod.VDT('./', (vdt) => {
vdt.search('test', (results) => {
console.log('Found ' + results.length + ' items');
results.forEach((item, index) => {
console.log(item.fullPath);
});
});
});
The filter options you can give to the object are
Filter | Type | Usage |
---|---|---|
content | Boolean | Decides whether or not to search file content for results |
names | Boolean | Decides whether or not to search file/directory names for results |
files | Boolean | Decides whether or not to include files in search results |
directories | Boolean | Decides whether or not to include directories in results |
excludes | Array | Any search results containing a string in the 'excludes' array will be removed |
Because dynamically getting objects at variable depths can be very tricky, you can use the get method to easily navigate the VDT. For example, if you had a directory named Foo and a file named bar.txt inside it, you could use the following code to retrieve bar.txt
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('bar.txt');
});
The get method can be chained either in the url passed into the first argument, or together in sequence. Lets say directory Foo has 3 directories underneath it, all named Foo and bar.txt is at the bottom of this tree. i.e. the local path to bar.txt is Foo/Foo/Foo/Foo/bar.txt. You could get it in two ways
// The static way
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('Foo').get('Foo').get('Foo').get('bar.txt');
});
// The dynamic way
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('Foo/Foo/Foo/bar.txt');
});
The mkdir method will create a directory for the vdt object and in the appropriate place in your file system. Lets say we wanted to create a directory named Foo, and then create a directory inside Foo named Bar. This operation can be made easy using the get method along side mkdir
fsgod.VDT('./', (vdt) => {
vdt.mkdir('Foo', (err) => {
if (err) throw err;
vdt.get('Foo').mkdir('Bar', (err) => {
if (err) throw err;
// Foo/Bar now exists!
});
});
});
The mkfile method will create a file for the vdt object and in the appropriate place in your file system. Lets say we wanted to create a directory named Foo, and then create a text file inside Foo named bar.txt
fsgod.VDT('./', (vdt) => {
vdt.mkdir('Foo', (err) => {
if (err) throw err;
vdt.get('Foo').mkfile('bar.txt', (err) => {
if (err) throw err;
// Foo/bar.txt now exists!
});
});
});
You can also give the file content when you create it like so
fsgod.VDT('Foo', (vdt) => {
vdt.mkfile('bar.txt', 'Hello World', (err) => {
// vdt.get(bar.txt).content = Hello World
});
});
The exe method executes the file
Let's say our directory 'Foo' contains a python file named 'bar.py' which simply logs whatever arguments we pass to it back to the console and we'd like to execute it
fsgod.VDT('Foo', (vdt) => {
vdt.get('bar.py').exe('python', ['arg1', 'arg2'], (stdout, stderr) => {
console.log(stdout); // arg1 arg2
});
});
The first argument passed exe is the intital command sent to the command line. Since we want to execute a python file, we pass 'python' to the first argument to call the python interpreter. Similarly, we could pass 'node' and execute a JavaScript file. You can also not pass a string and pass the args into the first argument if it's a file type that can be automatically run by the operating system (.exe on windows etc.)
Example
fsgod.VDT('Foo', (vdt) => {
vdt.get('start.exe').exe(['arg1', 'arg2'], (stdout, stderr) => {
console.log(stdout);
});
});
You can also call the method with only a call back and interpreter
fsgod.VDT('Foo', (vdt) => {
vdt.get('bar.py').exe('python3', (stdout, stderr) => {
console.log(stdout);
});
});
You can also call the method with only a call back
fsgod.VDT('Foo', (vdt) => {
vdt.get('start.exe').exe((stdout, stderr) => {
console.log(stdout);
});
});
Or execute the file with no arguments
fsgod.VDT('Foo', (vdt) => {
vdt.get('start.exe').exe();
});
The write method overwrites the content of the source file and VDT file object
Note: write and overwrite reference the same function
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('bar.txt');
// bar.content = 'Hello World'
bar.write('Goodbye world', (err) => {
if (err) throw err;
// bar.content = 'Goodbye World'
});
});
The append method adds content to the end of the source file content and VDT file object
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('bar.txt');
// bar.content = 'Hello '
bar.append('World', (err) => {
if (err) throw err;
// bar.content = 'Hello World'
});
});
The prepend method adds content to the begining of the source file content and VDT file object
fsgod.VDT('Foo', (vdt) => {
var bar = vdt.get('bar.txt');
// bar.content = 'World'
bar.prepend('Hello ', (err) => {
if (err) throw err;
// bar.content = 'Hello World'
});
});
The json method only applies to files with the .json extension. The json method gets the content of the target .json file and returns it as a JavaScript object. The following code will create a file named test.json and then return it's content into a JavaScript object
fsgod.VDT('./', (vdt) => {
vdt.mkfile('test.json', '{"foo":"bar"}', (err) => {
if (err) throw err;
var file = vdt.get('test.json');
console.log(file.json().foo); // will log 'bar'
});
});
The writejson method only applies to files with the .json extension. The writejson takes a JavaScript object and converts it to a json string and saves it as the content of the target .json file. The following code will create a file named test.json, then return it's content into a JavaScript object, then update the foo variable and save it to test.json
fsgod.VDT('./', (vdt) => {
vdt.mkfile('test.json', '{"foo":"bar"}', (err) => {
if (err) throw err;
var file = vdt.get('test.json'),
json = file.json();
console.log(json.foo); // will log 'bar'
json.foo = "updated!";
file.writejson(json, () => {
console.log(file.json().foo); // wil log 'updated!'
});
});
});
Each directory in the vdt callback is it's own Virtual Directory Tree with the same methods as the intial target directory
Key | Type | Usage |
---|---|---|
content | Array | An array of both directories (VDT's) and files |
name | String | The name of the file or directory |
type | String | Will let you know if its a directory or file |
fullPath | String | The full path to the item |
size | Integer | Size of the item in bytes |
search | Function | Search in and under the directory for a search string |
get | Function | Gets the specified object and makes it's methods easily available |
mkdir | Function | Creates a directory in the VDT and your file system |
mkfile | Function | Creates a file in the VDT and your file system |
Key | Type | Usage |
---|---|---|
content | String | File contents |
name | String | File name |
type | String | Will let you know if it's a directory or file |
fullPath | String | The full path to the item |
size | Integer | Size of the item in bytes |
exe | Function | Executes the file from the command line |
write/overwrite | Function | Overwrites the content of the file |
append | Function | Adds new content to the end of the file |
prepend | Function | Adds new content to the beginning of the file |
json | Function | Returns file contents as a JavaScript Object |
writejson | Function | Writes JavaScript object as JSON string to .json file |
FAQs
Dynamic file system operations locally or across networks
The npm package fsgod receives a total of 9 weekly downloads. As such, fsgod popularity was classified as not popular.
We found that fsgod 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
Oracle seeks to dismiss fraud claims in the JavaScript trademark dispute, delaying the case and avoiding questions about its right to the name.
Security News
The Linux Foundation is warning open source developers that compliance with global sanctions is mandatory, highlighting legal risks and restrictions on contributions.
Security News
Maven Central now validates Sigstore signatures, making it easier for developers to verify the provenance of Java packages.