ReaderWorker.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340
  1. const fs = require('fs-extra');
  2. const path = require('path');
  3. const LimitedQueue = require('../LimitedQueue');
  4. const WorkerState = require('../WorkerState');//singleton
  5. const FileDownloader = require('../FileDownloader');
  6. const FileDecompressor = require('../FileDecompressor');
  7. const BookConverter = require('./BookConverter');
  8. const RemoteWebDavStorage = require('../RemoteWebDavStorage');
  9. const utils = require('../utils');
  10. const log = new (require('../AppLogger'))().log;//singleton
  11. const cleanDirPeriod = 60*60*1000;//1 раз в час
  12. const queue = new LimitedQueue(5, 100, 2*60*1000 + 15000);//2 минуты ожидание подвижек
  13. let instance = null;
  14. //singleton
  15. class ReaderWorker {
  16. constructor(config) {
  17. if (!instance) {
  18. this.config = Object.assign({}, config);
  19. this.config.tempDownloadDir = `${config.tempDir}/download`;
  20. fs.ensureDirSync(this.config.tempDownloadDir);
  21. this.config.tempPublicDir = `${config.publicDir}/tmp`;
  22. fs.ensureDirSync(this.config.tempPublicDir);
  23. this.workerState = new WorkerState();
  24. this.down = new FileDownloader(config.maxUploadFileSize);
  25. this.decomp = new FileDecompressor(3*config.maxUploadFileSize);
  26. this.bookConverter = new BookConverter(this.config);
  27. this.remoteWebDavStorage = false;
  28. if (config.remoteWebDavStorage) {
  29. this.remoteWebDavStorage = new RemoteWebDavStorage(
  30. Object.assign({maxContentLength: 3*config.maxUploadFileSize}, config.remoteWebDavStorage)
  31. );
  32. }
  33. this.periodicCleanDir(this.config.tempPublicDir, this.config.maxTempPublicDirSize, cleanDirPeriod);
  34. this.periodicCleanDir(this.config.uploadDir, this.config.maxUploadPublicDirSize, cleanDirPeriod);
  35. instance = this;
  36. }
  37. return instance;
  38. }
  39. async loadBook(opts, wState) {
  40. const url = opts.url;
  41. let decompDir = '';
  42. let downloadedFilename = '';
  43. let isUploaded = false;
  44. let isRestored = false;
  45. let convertFilename = '';
  46. const overLoadMes = 'Слишком большая очередь загрузки. Пожалуйста, попробуйте позже.';
  47. const overLoadErr = new Error(overLoadMes);
  48. let q = null;
  49. try {
  50. wState.set({state: 'queue', step: 1, totalSteps: 1});
  51. try {
  52. let qSize = 0;
  53. q = await queue.get((place) => {
  54. wState.set({place, progress: (qSize ? Math.round((qSize - place)/qSize*100) : 0)});
  55. if (!qSize)
  56. qSize = place;
  57. });
  58. } catch (e) {
  59. throw overLoadErr;
  60. }
  61. wState.set({state: 'download', step: 1, totalSteps: 3, url});
  62. const tempFilename = utils.randomHexString(30);
  63. const tempFilename2 = utils.randomHexString(30);
  64. const decompDirname = utils.randomHexString(30);
  65. //download or use uploaded
  66. if (url.indexOf('disk://') != 0) {//download
  67. const downdata = await this.down.load(url, (progress) => {
  68. wState.set({progress});
  69. }, q.abort);
  70. downloadedFilename = `${this.config.tempDownloadDir}/${tempFilename}`;
  71. await fs.writeFile(downloadedFilename, downdata);
  72. } else {//uploaded file
  73. const fileHash = url.substr(7);
  74. downloadedFilename = `${this.config.uploadDir}/${fileHash}`;
  75. if (!await fs.pathExists(downloadedFilename)) {
  76. //если удалено из upload, попробуем восстановить из удаленного хранилища
  77. try {
  78. downloadedFilename = await this.restoreRemoteFile(fileHash);
  79. isRestored = true;
  80. } catch(e) {
  81. throw new Error('Файл не найден на сервере (возможно был удален как устаревший). Пожалуйста, загрузите файл с диска на сервер заново.');
  82. }
  83. }
  84. await utils.touchFile(downloadedFilename);
  85. isUploaded = true;
  86. }
  87. wState.set({progress: 100});
  88. if (q.abort())
  89. throw overLoadErr;
  90. q.resetTimeout();
  91. //decompress
  92. wState.set({state: 'decompress', step: 2, progress: 0});
  93. decompDir = `${this.config.tempDownloadDir}/${decompDirname}`;
  94. let decompFiles = {};
  95. try {
  96. decompFiles = await this.decomp.decompressNested(downloadedFilename, decompDir);
  97. } catch (e) {
  98. log(LM_ERR, e.stack);
  99. throw new Error('Ошибка распаковки');
  100. }
  101. wState.set({progress: 100});
  102. if (q.abort())
  103. throw overLoadErr;
  104. q.resetTimeout();
  105. //конвертирование в fb2
  106. wState.set({state: 'convert', step: 3, progress: 0});
  107. convertFilename = `${this.config.tempDownloadDir}/${tempFilename2}`;
  108. await this.bookConverter.convertToFb2(decompFiles, convertFilename, opts, progress => {
  109. wState.set({progress});
  110. if (queue.freed > 0)
  111. q.resetTimeout();
  112. }, q.abort);
  113. //сжимаем файл в tmp, если там уже нет с тем же именем-sha256
  114. const compFilename = await this.decomp.gzipFileIfNotExists(convertFilename, this.config.tempPublicDir);
  115. const stat = await fs.stat(compFilename);
  116. wState.set({progress: 100});
  117. //finish
  118. const finishFilename = path.basename(compFilename);
  119. wState.finish({path: `/tmp/${finishFilename}`, size: stat.size});
  120. //лениво сохраним compFilename в удаленном хранилище
  121. if (this.remoteWebDavStorage) {
  122. (async() => {
  123. await utils.sleep(20*1000);
  124. try {
  125. //log(`remoteWebDavStorage.putFile ${path.basename(compFilename)}`);
  126. await this.remoteWebDavStorage.putFile(compFilename);
  127. } catch (e) {
  128. log(LM_ERR, e.stack);
  129. }
  130. })();
  131. }
  132. //лениво сохраним downloadedFilename в tmp и в удаленном хранилище в случае isUploaded
  133. if (this.remoteWebDavStorage && isUploaded && !isRestored) {
  134. (async() => {
  135. await utils.sleep(30*1000);
  136. try {
  137. //сжимаем файл в tmp, если там уже нет с тем же именем-sha256
  138. const compDownloadedFilename = await this.decomp.gzipFileIfNotExists(downloadedFilename, this.config.tempPublicDir, true);
  139. await this.remoteWebDavStorage.putFile(compDownloadedFilename);
  140. } catch (e) {
  141. log(LM_ERR, e.stack);
  142. }
  143. })();
  144. }
  145. } catch (e) {
  146. log(LM_ERR, e.stack);
  147. let mes = e.message.split('|FORLOG|');
  148. if (mes[1])
  149. log(LM_ERR, mes[0] + mes[1]);
  150. log(LM_ERR, `downloadedFilename: ${downloadedFilename}`);
  151. mes = mes[0];
  152. if (mes == 'abort')
  153. mes = overLoadMes;
  154. wState.set({state: 'error', error: mes});
  155. } finally {
  156. //clean
  157. if (q)
  158. q.ret();
  159. if (decompDir)
  160. await fs.remove(decompDir);
  161. if (downloadedFilename && !isUploaded)
  162. await fs.remove(downloadedFilename);
  163. if (convertFilename)
  164. await fs.remove(convertFilename);
  165. }
  166. }
  167. loadBookUrl(opts) {
  168. const workerId = this.workerState.generateWorkerId();
  169. const wState = this.workerState.getControl(workerId);
  170. wState.set({state: 'start'});
  171. this.loadBook(opts, wState);
  172. return workerId;
  173. }
  174. async saveFile(file) {
  175. const hash = await utils.getFileHash(file.path, 'sha256', 'hex');
  176. const outFilename = `${this.config.uploadDir}/${hash}`;
  177. if (!await fs.pathExists(outFilename)) {
  178. await fs.move(file.path, outFilename);
  179. } else {
  180. await utils.touchFile(outFilename);
  181. await fs.remove(file.path);
  182. }
  183. return `disk://${hash}`;
  184. }
  185. async saveFileBuf(buf) {
  186. const hash = await utils.getBufHash(buf, 'sha256', 'hex');
  187. const outFilename = `${this.config.uploadDir}/${hash}`;
  188. if (!await fs.pathExists(outFilename)) {
  189. await fs.writeFile(outFilename, buf);
  190. } else {
  191. await utils.touchFile(outFilename);
  192. }
  193. return `disk://${hash}`;
  194. }
  195. async uploadFileTouch(url) {
  196. const outFilename = `${this.config.uploadDir}/${url.replace('disk://', '')}`;
  197. await utils.touchFile(outFilename);
  198. return url;
  199. }
  200. async restoreRemoteFile(filename) {
  201. const basename = path.basename(filename);
  202. const targetName = `${this.config.tempPublicDir}/${basename}`;
  203. if (!await fs.pathExists(targetName)) {
  204. let found = false;
  205. if (this.remoteWebDavStorage) {
  206. found = await this.remoteWebDavStorage.getFileSuccess(targetName);
  207. }
  208. if (!found) {
  209. throw new Error('404 Файл не найден');
  210. }
  211. }
  212. return targetName;
  213. }
  214. restoreCachedFile(filename) {
  215. const workerId = this.workerState.generateWorkerId();
  216. const wState = this.workerState.getControl(workerId);
  217. wState.set({state: 'start'});
  218. (async() => {
  219. try {
  220. wState.set({state: 'download', step: 1, totalSteps: 1, path: filename, progress: 0});
  221. const targetName = await this.restoreRemoteFile(filename);
  222. const stat = await fs.stat(targetName);
  223. const basename = path.basename(filename);
  224. wState.finish({path: `/tmp/${basename}`, size: stat.size, progress: 100});
  225. } catch (e) {
  226. if (e.message.indexOf('404') < 0)
  227. log(LM_ERR, e.stack);
  228. wState.set({state: 'error', error: e.message});
  229. }
  230. })();
  231. return workerId;
  232. }
  233. async periodicCleanDir(dir, maxSize, timeout) {
  234. try {
  235. const list = await fs.readdir(dir);
  236. let size = 0;
  237. let files = [];
  238. for (const name of list) {
  239. const stat = await fs.stat(`${dir}/${name}`);
  240. if (!stat.isDirectory()) {
  241. size += stat.size;
  242. files.push({name, stat});
  243. }
  244. }
  245. log(`clean dir ${dir}, maxSize=${maxSize}, found ${files.length} files, total size=${size}`);
  246. files.sort((a, b) => a.stat.mtimeMs - b.stat.mtimeMs);
  247. let i = 0;
  248. let j = 0;
  249. while (i < files.length && size > maxSize) {
  250. const file = files[i];
  251. const oldFile = `${dir}/${file.name}`;
  252. let remoteSuccess = true;
  253. //отправляем только this.config.tempPublicDir
  254. if (this.remoteWebDavStorage && dir === this.config.tempPublicDir) {
  255. remoteSuccess = false;
  256. try {
  257. //log(`remoteWebDavStorage.putFile ${path.basename(oldFile)}`);
  258. await this.remoteWebDavStorage.putFile(oldFile);
  259. remoteSuccess = true;
  260. } catch (e) {
  261. log(LM_ERR, e.stack);
  262. }
  263. }
  264. //реально удаляем только если сохранили в хранилище
  265. if (remoteSuccess || size > maxSize*1.2) {
  266. await fs.remove(oldFile);
  267. j++;
  268. }
  269. size -= file.stat.size;
  270. i++;
  271. }
  272. log(`removed ${j} files`);
  273. } catch(e) {
  274. log(LM_ERR, e.stack);
  275. } finally {
  276. setTimeout(() => {
  277. this.periodicCleanDir(dir, maxSize, timeout);
  278. }, timeout);
  279. }
  280. }
  281. }
  282. module.exports = ReaderWorker;