2015-07-17 23:07:02 +00:00
|
|
|
safe-replace
|
|
|
|
============
|
|
|
|
|
|
|
|
A micro-module for safely replacing a file.
|
|
|
|
|
2015-12-15 06:07:54 +00:00
|
|
|
This is intended to be generally safe even when a function that writes a file
|
|
|
|
is accidentally called twice (as may happen with node cluster).
|
|
|
|
|
2015-07-17 23:07:02 +00:00
|
|
|
Commandline Reference
|
|
|
|
---------------------
|
|
|
|
|
|
|
|
If I want to safely replace a file with a new version, I would do so like this:
|
|
|
|
|
|
|
|
```bash
|
|
|
|
# create the new version
|
2015-12-15 06:07:54 +00:00
|
|
|
touch keep.txt.RANDOM.tmp
|
2015-07-17 23:07:02 +00:00
|
|
|
|
|
|
|
# remove the previous backup
|
|
|
|
rm -f keep.txt.bak
|
|
|
|
|
|
|
|
# move the current version to the backup
|
|
|
|
mv keep.txt keep.txt.bak
|
|
|
|
|
|
|
|
# move the new version to the current
|
2015-12-15 06:07:54 +00:00
|
|
|
mv keep.txt.RANDOM.tmp keep.txt
|
2015-07-17 23:07:02 +00:00
|
|
|
```
|
|
|
|
|
|
|
|
If `keep.txt` became corrupt and I wanted to use the backup,
|
|
|
|
I would do this:
|
|
|
|
|
|
|
|
```bash
|
|
|
|
# copy the backup to the new version
|
|
|
|
rsync keep.txt.bak keep.txt
|
|
|
|
```
|
|
|
|
|
|
|
|
In Node
|
|
|
|
-------
|
|
|
|
|
|
|
|
I ported that proccess to node.
|
|
|
|
|
|
|
|
```js
|
|
|
|
// default behavior is to concat (filename + '.' + 'new')
|
|
|
|
var safeReplace = require('safe-replace').create({ new: 'new', bak: 'bak' });
|
|
|
|
|
|
|
|
var data = new Buffer('A priceless document');
|
|
|
|
safeReplace.writeFile('keep.txt', data, 'ascii').then(function () {
|
|
|
|
fs.readdir('.', function (nodes) {
|
|
|
|
console.log('file system nodes', nodes);
|
|
|
|
// keep.txt
|
|
|
|
// keep.txt.bak
|
|
|
|
});
|
|
|
|
});
|
|
|
|
|
2015-12-15 06:07:54 +00:00
|
|
|
// let's say I wrote keep.txt.x7t7sq926.tmp with my own mechanism
|
|
|
|
safeReplace.commit('keep.txt.x7t7sq926.tmp', 'keep.txt').then(function () {
|
2015-07-17 23:07:02 +00:00
|
|
|
fs.readdir('.', function (nodes) {
|
|
|
|
console.log('file system nodes', nodes);
|
|
|
|
// keep.txt
|
|
|
|
// keep.txt.bak
|
|
|
|
});
|
|
|
|
});
|
|
|
|
|
|
|
|
// let's say I want to revert the file from the '.bak'
|
|
|
|
safeReplace.revert('keep.txt').then(function () {
|
|
|
|
fs.readdir('.', function (nodes) {
|
|
|
|
console.log('file system nodes', nodes);
|
|
|
|
// keep.txt
|
|
|
|
// keep.txt.bak
|
|
|
|
});
|
|
|
|
});
|
2015-12-15 06:07:54 +00:00
|
|
|
|
|
|
|
// let's say I want to write a tmp file and not commit it... weird
|
|
|
|
safeReplace.stage('keep.txt', data, 'ascii').then(function (tmpname) {
|
|
|
|
fs.readdir('.', function (nodes) {
|
|
|
|
console.log('file system nodes', nodes);
|
|
|
|
// keep.txt
|
|
|
|
// keep.txt.bak
|
|
|
|
// keep.txt.ac71teh8mja.tmp
|
|
|
|
});
|
|
|
|
});
|
2015-07-17 23:07:02 +00:00
|
|
|
```
|