« get me outta code hell

combine-album.js - mtui - Music Text User Interface - user-friendly command line music player
about summary refs log tree commit diff
path: root/combine-album.js
blob: 946c4c16f02ff12bd2e6264341d2420a9b49166d (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
'use strict'

// too lazy to use import syntax :)
const { readdir, readFile, stat, writeFile } = require('fs/promises')
const { spawn } = require('child_process')
const { getTimeStringsFromSec, parseOptions, promisifyProcess } = require('./general-util')
const { musicExtensions } = require('./crawlers')
const path = require('path')
const shellescape = require('shell-escape')

async function timestamps(files) {
  const tsData = []

  let timestamp = 0
  for (const file of files) {
    const args = [
      '-print_format', 'json',
      '-show_entries', 'stream=codec_name:format',
      '-select_streams', 'a:0',
      '-v', 'quiet',
      file
    ]

    const ffprobe = spawn('ffprobe', args)

    let data = ''
    ffprobe.stdout.on('data', chunk => {
      data += chunk
    })

    await promisifyProcess(ffprobe, false)

    let result
    try {
      result = JSON.parse(data)
    } catch (error) {
      throw new Error(`Failed to parse ffprobe output - cmd: ffprobe ${args.join(' ')}`)
    }

    const duration = parseFloat(result.format.duration)

    tsData.push({
      comment: path.basename(file, path.extname(file)),
      timestamp,
      timestampEnd: (timestamp += duration)
    })
  }

  // Serialize to a nicer format.
  for (const ts of tsData) {
    ts.timestamp = Math.trunc(ts.timestamp * 100) / 100
    ts.timestampEnd = Math.trunc(ts.timestampEnd * 100) / 100
  }

  return tsData
}

async function main() {
  const validFormats = ['txt', 'json']

  let files = []

  const opts = await parseOptions(process.argv.slice(2), {
    'format': {
      type: 'value',
      validate(value) {
        if (validFormats.includes(value)) {
          return true
        } else {
          return `a valid output format (${validFormats.join(', ')})`
        }
      }
    },

    'no-concat-list': {type: 'flag'},
    'concat-list': {type: 'value'},

    'out': {type: 'value'},
    'o': {alias: 'out'},

    [parseOptions.handleDashless]: opt => files.push(opt)
  })

  if (files.length === 0) {
    console.error(`Please provide either a directory (album) or a list of tracks to generate timestamps from.`)
    return 1
  }

  if (!opts.format) {
    opts.format = 'txt'
  }

  let defaultOut = false
  let outFromDirectory
  if (!opts.out) {
    opts.out = `timestamps.${opts.format}`
    defaultOut = true
  }

  const stats = []

  {
    let errored = false
    for (const file of files) {
      try {
        stats.push(await stat(file))
      } catch (error) {
        console.error(`Failed to stat ${file}`)
        errored = true
      }
    }
    if (errored) {
      console.error(`One or more paths provided failed to stat.`)
      console.error(`There are probably permission issues preventing access!`)
      return 1
    }
  }

  if (stats.some(s => !s.isFile() && !s.isDirectory())) {
    console.error(`A path was provided which isn't a file or a directory.`);
    console.error(`This utility doesn't know what to do with that!`);
    return 1
  }

  if (stats.length > 1 && !stats.every(s => s.isFile())) {
    if (stats.some(s => s.isFile())) {
      console.error(`Please don't provide a mix of files and directories.`)
    } else {
      console.error(`Please don't provide more than one directory.`)
    }
    console.error(`This utility is only capable of generating a timestamps file from either one directory (an album) or a list of (audio) files.`)
    return 1
  }

  if (files.length === 1 && stats[0].isDirectory()) {
    const dir = files[0]
    try {
      files = await readdir(dir)
      files = files.filter(f => musicExtensions.includes(path.extname(f).slice(1)))
    } catch (error) {
      console.error(`Failed to read ${dir} as directory.`)
      console.error(error)
      console.error(`Please provide a readable directory or multiple audio files.`)
      return 1
    }
    files = files.map(file => path.join(dir, file))
    if (defaultOut) {
      opts.out = path.join(path.dirname(dir), path.basename(dir) + '.timestamps.' + opts.format)
      outFromDirectory = dir.replace(new RegExp(path.sep + '$'), '')
    }
  } else if (process.argv.length > 3) {
    files = process.argv.slice(2)
  } else {
    console.error(`Please provide an album directory or multiple audio files.`)
    return 1
  }

  let tsData
  try {
    tsData = await timestamps(files)
  } catch (error) {
    console.error(`Ran into a code error while processing timestamps:`)
    console.error(error)
    return 1
  }

  const duration = tsData[tsData.length - 1].timestampEnd

  let tsText
  switch (opts.format) {
    case 'json':
      tsText = JSON.stringify(tsData) + '\n'
      break
    case 'txt':
      tsText = tsData.map(t => `${getTimeStringsFromSec(t.timestamp, duration, true).timeDone} ${t.comment}`).join('\n') + '\n'
      break
  }

  if (opts.out === '-') {
    process.stdout.write(tsText)
  } else {
    try {
      writeFile(opts.out, tsText)
    } catch (error) {
      console.error(`Failed to write to output file ${opts.out}`)
      console.error(`Confirm path is writeable or pass "--out -" to print to stdout`)
      return 1
    }
  }

  console.log(`Wrote timestamps to ${opts.out}`)

  if (!opts['no-concat-list']) {
    const concatOutput = (
      (defaultOut
        ? (outFromDirectory || 'album')
        : `/path/to/album`)
      + path.extname(files[0]))

    const concatListPath = opts['concat-list'] || `/tmp/combine-album-concat.txt`
    try {
      await writeFile(concatListPath, files.map(file => `file ${shellescape([path.resolve(file)])}`).join('\n') + '\n')
      console.log(`Generated ffmpeg concat list at ${concatListPath}`)
      console.log(`# To concat:`)
      console.log(`ffmpeg -f concat -safe 0 -i ${shellescape([concatListPath])} -c copy ${shellescape([concatOutput])}`)
    } catch (error) {
      console.warn(`Failed to generate ffmpeg concat list`)
      console.warn(error)
    } finally {
      console.log(`(Pass --no-concat-list to skip this step)`)
    }
  }

  return 0
}

main().then(
  code => process.exit(code),
  err => {
    console.error(err)
    process.exit(1)
  })