1
0
mirror of https://github.com/laurent22/joplin.git synced 2024-12-15 09:04:04 +02:00
joplin/lib/file-api-driver-local.js
2017-06-29 21:52:52 +01:00

168 lines
3.2 KiB
JavaScript

import fs from 'fs';
import fse from 'fs-extra';
import { promiseChain } from 'lib/promise-utils.js';
import moment from 'moment';
class FileApiDriverLocal {
stat(path) {
return new Promise((resolve, reject) => {
fs.stat(path, (error, s) => {
if (error) {
if (error.code == 'ENOENT') {
resolve(null);
} else {
reject(error);
}
return;
}
resolve(this.metadataFromStats_(path, s));
});
});
}
statTimeToTimestampMs_(time) {
let m = moment(time, 'YYYY-MM-DDTHH:mm:ss.SSSZ');
if (!m.isValid()) {
throw new Error('Invalid date: ' + time);
}
return m.toDate().getTime();
}
metadataFromStats_(path, stats) {
return {
path: path,
created_time: this.statTimeToTimestampMs_(stats.birthtime),
updated_time: this.statTimeToTimestampMs_(stats.mtime),
created_time_orig: stats.birthtime,
updated_time_orig: stats.mtime,
isDir: stats.isDirectory(),
};
}
setTimestamp(path, timestampMs) {
return new Promise((resolve, reject) => {
let t = Math.floor(timestampMs / 1000);
fs.utimes(path, t, t, (error) => {
if (error) {
reject(error);
return;
}
resolve();
});
});
}
list(path, options) {
return new Promise((resolve, reject) => {
fs.readdir(path, (error, items) => {
if (error) {
reject(error);
return;
}
let chain = [];
for (let i = 0; i < items.length; i++) {
chain.push((output) => {
if (!output) output = [];
return this.stat(path + '/' + items[i]).then((stat) => {
stat.path = items[i];
output.push(stat);
return output;
});
});
}
return promiseChain(chain).then((results) => {
if (!results) results = [];
resolve({
items: results,
hasMore: false,
context: null,
});
}).catch((error) => {
reject(error);
});
});
});
}
get(path) {
return new Promise((resolve, reject) => {
fs.readFile(path, 'utf8', (error, content) => {
if (error) {
if (error.code == 'ENOENT') {
// Return null in this case so that it's possible to get a file
// without checking if it exists first.
resolve(null);
} else {
reject(error);
}
return;
}
return resolve(content);
});
});
}
mkdir(path) {
return new Promise((resolve, reject) => {
fs.exists(path, (exists) => {
if (exists) {
resolve();
return;
}
const mkdirp = require('mkdirp');
mkdirp(path, (error) => {
if (error) {
reject(error);
} else {
resolve();
}
});
});
});
}
put(path, content) {
return new Promise((resolve, reject) => {
fs.writeFile(path, content, function(error) {
if (error) {
reject(error);
} else {
resolve();
}
});
});
}
delete(path) {
return new Promise((resolve, reject) => {
fs.unlink(path, function(error) {
if (error) {
if (error && error.code == 'ENOENT') {
// File doesn't exist - it's fine
resolve();
} else {
reject(error);
}
} else {
resolve();
}
});
});
}
move(oldPath, newPath) {
return fse.move(oldPath, newPath, { overwrite: true });
}
format() {
throw new Error('Not supported');
}
}
export { FileApiDriverLocal };