Source: streamingFileMeta.js

  1. /**
  2. * Reads and serve video and audio files meta information.
  3. */
  4. import fs from 'fs'
  5. import videoDuration from "get-video-duration"
  6. import mime from 'mime-types'
  7. const { getVideoDurationInSeconds } = videoDuration
  8. const fileMeta = new Map // filePath => metaObject
  9. var metaRead // a promise indicating if meta of all files has been read
  10. /**
  11. * Get cached file meta info. Includes following properties:
  12. * seconds, fullPath, type, mime, fileSize and pricePerByte.
  13. * @param {string} fileName - file name
  14. */
  15. export async function getMeta(fileName) {
  16. if (!metaRead)
  17. throw Error("call initMeta before calling getMeta")
  18. await metaRead
  19. return fileMeta.get(fileName)
  20. }
  21. /**
  22. * Reads all media files in *mediaPath* and caches their meta information,
  23. * such has fileSize, media length in seconds, pricePerByte, etc.
  24. * @param {string} mediaPath path to folder where media files are stored.
  25. * @param {object} config including *pricePerMinute* or *pricePerMB* property.
  26. * @returns Promise indicating if meta information has been read.
  27. */
  28. export function initStreamingMeta(mediaPath, config) {
  29. metaRead = readMeta(mediaPath, config)
  30. }
  31. // TODO: read all videos in given folder - now just 'videoPath'
  32. async function readMeta(mediaPath, config) {
  33. validateConfig(config)
  34. const files = await fs.promises.readdir(mediaPath)
  35. const allRead = files.map(async function(file) {
  36. if (file.slice(0,1) == '.')
  37. return // skip .DS_Store etc
  38. const fullMediaPath = mediaPath + file
  39. const stats = await fs.promises.stat(fullMediaPath)
  40. const seconds = await getVideoDurationInSeconds(fullMediaPath)
  41. const type = file.split('.')[1], // e.g. 'mp4'
  42. meta = {
  43. seconds,
  44. fullPath: fullMediaPath,
  45. type: type,
  46. mime: mime.lookup(type),
  47. fileSize: stats.size,
  48. pricePerByte: pricePerByte(seconds, stats.size, config),
  49. }
  50. fileMeta.set(file, meta)
  51. })
  52. await Promise.all(allRead)
  53. }
  54. function pricePerByte(seconds, fileSize,
  55. {pricePerMB, pricePerMinute}) {
  56. if (pricePerMB)
  57. return pricePerMB / 10**6
  58. if (!pricePerMinute)
  59. throw Error("pricePerMinute or pricePerMB required in configs")
  60. const pricePerSecond = pricePerMinute/60,
  61. bytesInSecond = fileSize / seconds,
  62. pricePerByte = pricePerSecond / bytesInSecond
  63. return pricePerByte
  64. }
  65. function validateConfig({pricePerMB, pricePerMinute}) {
  66. if (pricePerMB && pricePerMinute)
  67. throw Error("Price can be defined only in minutes or in megabytes, set the other one as null.")
  68. }