app/js/modules/ui.js

  1. /**
  2. * @file Contains all ui functions
  3. * @author yafp
  4. * @module ui
  5. */
  6. 'use strict'
  7. // ----------------------------------------------------------------------------
  8. // REQUIRE MODULES
  9. // ----------------------------------------------------------------------------
  10. //
  11. const utils = require('./utils.js')
  12. const ffmpeg = require('./ffmpeg.js')
  13. const youtubeDl = require('./youtubeDl.js')
  14. const sentry = require('./sentry.js')
  15. // ----------------------------------------------------------------------------
  16. // VARIABLES
  17. // ----------------------------------------------------------------------------
  18. //
  19. var distractEnabler = 0
  20. var arrayUserUrls = [] // contains the urls which should be downloaded
  21. var arrayUserUrlsN = []
  22. /**
  23. * @function windowMainApplicationStateSet
  24. * @summary Updates the application state information
  25. * @description Updates the applicationState in globalObject. Updates the application state displayed in the UI. Starts or stops the spinner depending on the state
  26. * @param {string} [newState] - String which defines the new state of the application
  27. */
  28. function windowMainApplicationStateSet (newState = 'idle') {
  29. if (newState === 'Download in progress') { // #97
  30. // enable powerSaveBlocker
  31. const { ipcRenderer } = require('electron')
  32. utils.writeConsoleMsg('info', 'windowMainApplicationStateSet ::: Trying to enable the PowerSaveBlocker now, as media-dupes is currently downloading.')
  33. ipcRenderer.send('enablePowerSaveBlocker')
  34. }
  35. utils.globalObjectSet('applicationState', newState) // update the global object
  36. utils.writeConsoleMsg('info', 'windowMainApplicationStateSet ::: Setting application state to: _' + newState + '_.')
  37. if (newState === 'idle') {
  38. newState = ' '
  39. windowMainLoadingAnimationHide()
  40. } else {
  41. windowMainLoadingAnimationShow()
  42. }
  43. $('#applicationState').html(newState) // update the main ui
  44. }
  45. /**
  46. * @function windowMainLoadingAnimationShow
  47. * @summary Shows the loading animation / download spinner
  48. * @description Shows the loading animation / download spinner. applicationStateSet() is using this function
  49. */
  50. function windowMainLoadingAnimationShow () {
  51. // if ( $('#md_spinner').attr( "hidden" )) { // only if it isnt already displayed
  52. if ($('#div').data('hidden', true)) { // only if it isnt already displayed
  53. utils.writeConsoleMsg('info', 'windowMainLoadingAnimationShow ::: Show spinner')
  54. $('#md_spinner').attr('hidden', false)
  55. }
  56. }
  57. /**
  58. * @function windowMainLoadingAnimationHide
  59. * @summary Hides the loading animation / download spinner
  60. * @description Hides the loading animation / download spinner. applicationStateSet() is using this function
  61. */
  62. function windowMainLoadingAnimationHide () {
  63. if ($('#div').data('hidden', false)) { // only if it isnt already hidden
  64. utils.writeConsoleMsg('info', 'windowMainLoadingAnimationHide ::: Hide spinner')
  65. $('#md_spinner').attr('hidden', true)
  66. }
  67. }
  68. /**
  69. * @function windowMainButtonsOthersEnable
  70. * @summary Enables some of the footer buttons when a download is finished
  71. * @description Is executed when a download task has ended by the user
  72. */
  73. function windowMainButtonsOthersEnable () {
  74. // enable some buttons
  75. $('#inputNewUrl').prop('disabled', false) // url input field
  76. $('#buttonShowHelp').prop('disabled', false) // help / intro
  77. utils.writeConsoleMsg('info', 'windowMainButtonsOthersEnable ::: Did enable some other UI elements')
  78. }
  79. /**
  80. * @function windowMainButtonsOthersDisable
  81. * @summary Disables some of the footer buttons while a download is running
  82. * @description Is executed when a download task is started by the user
  83. */
  84. function windowMainButtonsOthersDisable () {
  85. // disable some buttons
  86. $('#inputNewUrl').prop('disabled', true) // url input field
  87. $('#buttonShowHelp').prop('disabled', true) // help / intro
  88. utils.writeConsoleMsg('info', 'windowMainButtonsOthersDisable ::: Did disable some other UI elements')
  89. }
  90. /**
  91. * @function windowMainButtonsStartEnable
  92. * @summary Enabled the 2 start buttons
  93. * @description Is executed when the todo-list contains at least 1 item
  94. */
  95. function windowMainButtonsStartEnable () {
  96. // enable start buttons if needed - if needed
  97. if ($('#buttonStartVideoExec').is(':disabled')) {
  98. // Button: VideoExec
  99. $('#buttonStartVideoExec').prop('disabled', false)
  100. $('#buttonStartVideoExec').removeClass('btn-secondary') // remove class: secondary
  101. $('#buttonStartVideoExec').addClass('btn-danger') // add class: danger
  102. // Button: Video
  103. $('#buttonStartVideo').prop('disabled', false)
  104. $('#buttonStartVideo').removeClass('btn-secondary') // remove danger class
  105. $('#buttonStartVideo').addClass('btn-danger') // add class: danger
  106. // Button: AudioExec
  107. $('#buttonStartAudioExec').prop('disabled', false)
  108. $('#buttonStartAudioExec').removeClass('btn-secondary') // remove class: secondary
  109. $('#buttonStartAudioExec').addClass('btn-danger') // add class: danger
  110. utils.writeConsoleMsg('info', 'windowMainButtonsStartEnable ::: Did enable both start buttons')
  111. }
  112. }
  113. /**
  114. * @function windowMainButtonsStartDisable
  115. * @summary Disables the 2 start buttons
  116. * @description Is executed when a download task is started by the user
  117. */
  118. function windowMainButtonsStartDisable () {
  119. // disable start buttons - if needed
  120. if ($('#buttonStartVideoExec').is(':enabled')) {
  121. // Button: VideoExec
  122. $('#buttonStartVideoExec').prop('disabled', true)
  123. $('#buttonStartVideoExec').removeClass('btn-danger') // remove class: danger
  124. $('#buttonStartVideoExec').addClass('btn-secondary') // add class: secondary
  125. // Button: Video
  126. $('#buttonStartVideo').prop('disabled', true)
  127. $('#buttonStartVideo').removeClass('btn-danger') // remove danger class
  128. $('#buttonStartVideo').addClass('btn-secondary') // add class: secondary
  129. // Button: AudioExec
  130. $('#buttonStartAudioExec').prop('disabled', true)
  131. $('#buttonStartAudioExec').removeClass('btn-danger') // remove danger class
  132. $('#buttonStartAudioExec').addClass('btn-secondary') // add class: secondary
  133. utils.writeConsoleMsg('info', 'windowMainButtonsStartDisable ::: Did disable both start buttons')
  134. }
  135. }
  136. /**
  137. * @function windowMainBlurSet
  138. * @summary Can set a blur level for entire main ui
  139. * @description Can set a blur level for entire main ui. Is used on the mainUI when the settingsUI is open
  140. * @param {boolean} enable- To enable or disable blur
  141. */
  142. function windowMainBlurSet (enable) {
  143. if (enable === true) {
  144. // mainContainer
  145. $('#mainContainer').css('filter', 'blur(2px)') // blur
  146. $('#mainContainer').css('pointer-events', 'none') // disable click events
  147. // titlebar
  148. $('.titlebar').css('filter', 'blur(2px)') // blur
  149. $('.titlebar').css('pointer-events', 'none') // disable click events
  150. utils.writeConsoleMsg('info', 'windowMainBlurSet ::: Enabled blur effect')
  151. } else {
  152. // mainContainer
  153. $('#mainContainer').css('filter', 'blur(0px)') // unblur
  154. $('#mainContainer').css('pointer-events', 'auto') // enable click-events
  155. // titlebar
  156. $('.titlebar').css('filter', 'blur(0px)') // unblur
  157. $('.titlebar').css('pointer-events', 'auto') // enable click-events
  158. utils.writeConsoleMsg('info', 'windowMainBlurSet ::: Disabled blur effect')
  159. }
  160. }
  161. /**
  162. * @function windowMainIntroShow
  163. * @summary start an intro / user tutorial
  164. * @description Starts a short intro / tutorial which explains the user-interface. Using introJs
  165. */
  166. function windowMainIntroShow () {
  167. utils.writeConsoleMsg('info', 'windowMainIntroShow ::: Starting the media-dupes intro')
  168. const introJs = require('intro.js')
  169. introJs().start()
  170. }
  171. /**
  172. * @function windowMainLogAppend
  173. * @summary Appends text to the log textarea
  174. * @description Appends text to the log textarea
  175. * @param {String} newLine - The content for the line which should be appended to the UI Log
  176. */
  177. function windowMainLogAppend (newLine, addTimestamp = false) {
  178. if (addTimestamp === true) {
  179. var currentTimestamp = utils.generateTimestamp() // get a current timestamp
  180. newLine = currentTimestamp + ' > ' + newLine
  181. }
  182. $('#textareaLogOutput').val(function (i, text) {
  183. return text + newLine + '\n'
  184. })
  185. windowMainLogScrollToEnd() // scroll log textarea to the end
  186. }
  187. /**
  188. * @function windowMainLogReset
  189. * @summary Resets the ui log
  190. * @description Resets the content of the ui log
  191. */
  192. function windowMainLogReset () {
  193. document.getElementById('textareaLogOutput').value = ''
  194. utils.writeConsoleMsg('info', 'windowMainLogReset ::: Did reset the log-textarea')
  195. }
  196. /**
  197. * @function windowMainLogScrollToEnd
  198. * @summary Scrolls the UI log to the end
  199. * @description Scrolls the UI log to the end / latest entry
  200. */
  201. function windowMainLogScrollToEnd () {
  202. $('#textareaLogOutput').scrollTop($('#textareaLogOutput')[0].scrollHeight) // scroll log textarea to the end
  203. }
  204. /**
  205. * @function windowMainResetAskUser
  206. * @summary Ask the user if he wants to execute the UI reset function if there are currently downloads in progress
  207. * @description Ask the user if he wants to execute the UI reset function if there are currently downloads in progress
  208. */
  209. function windowMainResetAskUser () {
  210. var curState = utils.globalObjectGet('applicationState') // get application state
  211. if (curState === 'Download in progress') {
  212. const Noty = require('noty')
  213. var n = new Noty(
  214. {
  215. theme: 'bootstrap-v4',
  216. layout: 'bottom',
  217. type: 'info',
  218. closeWith: [''], // to prevent closing the confirm-dialog by clicking something other then a confirm-dialog-button
  219. text: 'Seems like <b>media-dupes</b> is currently downloading. Do you really want to reset the UI?',
  220. buttons: [
  221. Noty.button('Yes', 'btn btn-success mediaDupes_btnDefaultWidth', function () {
  222. n.close()
  223. windowMainUiReset()
  224. },
  225. {
  226. id: 'button1', 'data-status': 'ok'
  227. }),
  228. Noty.button('No', 'btn btn-secondary mediaDupes_btnDefaultWidth float-right', function () {
  229. n.close()
  230. })
  231. ]
  232. })
  233. n.show() // show the noty dialog
  234. } else {
  235. windowMainUiReset()
  236. }
  237. }
  238. /**
  239. * @function windowMainOpenDownloadFolder
  240. * @summary Triggers code in main.js to open the download folder of the user
  241. * @description Triggers code in main.js to open the download folder of the user
  242. */
  243. function windowMainOpenDownloadFolder () {
  244. const { ipcRenderer } = require('electron')
  245. var configuredDownloadFolder = utils.globalObjectGet('downloadDir')
  246. utils.writeConsoleMsg('info', 'windowMainOpenDownloadFolder ::: Seems like we should use the following dir: _' + configuredDownloadFolder + '_.')
  247. ipcRenderer.send('openUserDownloadFolder', configuredDownloadFolder)
  248. }
  249. /**
  250. * @function windowMainSettingsUiLoad
  251. * @summary Navigate to setting.html
  252. * @description Is triggered via button on index.html. Calls method on main.js which loads setting.html to the application window
  253. */
  254. function windowMainSettingsUiLoad () {
  255. const { ipcRenderer } = require('electron')
  256. windowMainBlurSet(true) // blur the main UI
  257. ipcRenderer.send('settingsUiLoad') // tell main.js to load settings UI
  258. }
  259. /**
  260. * @function windowMainDownloadContent
  261. * @summary Handles the download of audio and video
  262. * @description Checks some requirements, then sets the youtube-dl parameter depending on the mode. Finally launched youtube-dl via exec
  263. * @param {String} mode - The download mode. Can be 'video' or 'audio'
  264. * @throws Exit code from youtube-dl exec task
  265. */
  266. function windowMainDownloadContent (mode) {
  267. utils.writeConsoleMsg('info', 'downloadContent ::: Start with mode set to: _' + mode + '_.')
  268. // some example urls for tests
  269. //
  270. // VIDEO:
  271. // YOUTUBE: http://www.youtube.com/watch?v=90AiXO1pAiA // 11 sec less then 1 MB
  272. // https://www.youtube.com/watch?v=cmiXteWLNw4 // 1 hour
  273. // https://www.youtube.com/watch?v=bZ_C-AVo5xA // for simulating download errors
  274. // VIMEO: https://vimeo.com/315670384 // 48 sec around 1GB
  275. // https://vimeo.com/274478457 // 6 sec around 4MB
  276. //
  277. // AUDIO:
  278. // SOUNDCLOUD: https://soundcloud.com/jperiod/rise-up-feat-black-thought-2
  279. // BANDCAMP: https://nosferal.bandcamp.com/album/nosferal-ep-mini-album
  280. // What is the target dir
  281. var configuredDownloadFolder = utils.globalObjectGet('downloadDir')
  282. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Download target directory is set to: _' + configuredDownloadFolder + '_.')
  283. if (utils.isDirectoryAvailable(configuredDownloadFolder)) {
  284. // the download folder exists
  285. // check if it is writeable
  286. if (utils.isDirectoryWriteable(configuredDownloadFolder)) {
  287. // Prepare UI
  288. windowMainButtonsStartDisable() // disable the start buttons
  289. windowMainButtonsOthersDisable() // disables some other buttons
  290. windowMainApplicationStateSet('Download in progress') // set the application state
  291. // require some stuff
  292. const youtubedl = require('youtube-dl')
  293. const path = require('path')
  294. var arrayUrlsProcessedSuccessfully = [] // prepare array for urls which got successfully downloaded
  295. var arrayUrlsThrowingErrors = [] // prepare array for urls which are throwing errors
  296. // youtube-dl
  297. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Using youtube.dl from: _' + youtubeDl.binaryPathGet() + '_.')
  298. // ffmpeg
  299. var ffmpegPath = ffmpeg.ffmpegGetBinaryPath()
  300. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Detected bundled ffmpeg at: _' + ffmpegPath + '_.')
  301. // Check if todoArray exists otherwise abort and throw error. See: MEDIA-DUPES-J
  302. if (typeof arrayUserUrlsN === 'undefined' || !(arrayUserUrlsN instanceof Array)) {
  303. windowMainApplicationStateSet()
  304. utils.showNoty('error', 'Unexpected state of array _arrayUserUrlsN_ in function downloadContent(). Please report this', 0)
  305. return
  306. } else {
  307. utils.globalObjectSet('todoListStateEmpty', false)
  308. }
  309. // Define the youtube-dl parameters depending on the mode (audio vs video)
  310. // youtube-dl docs: https://github.com/ytdl-org/youtube-dl/blob/master/README.md
  311. var youtubeDlParameter = []
  312. switch (mode) {
  313. case 'audio':
  314. var settingAudioFormat = utils.globalObjectGet('audioFormat') // get configured audio format
  315. // generic parameter / flags
  316. youtubeDlParameter = [
  317. // OPTIONS
  318. '--ignore-errors', // Continue on download errors, for example to skip unavailable videos in a playlist
  319. '--format', 'bestaudio',
  320. '--output', path.join(configuredDownloadFolder, 'Audio', '%(track_number)s-%(artist)s-%(album)s-%(title)s-%(id)s.%(ext)s'), // output path
  321. // FILESYSTEM OPTIONS
  322. '--restrict-filenames', // Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames
  323. '--continue', // Force resume of partially downloaded files. By default, youtube-dl will resume downloads if possible.
  324. // POST PROCESSING
  325. '--prefer-ffmpeg', '--ffmpeg-location', ffmpegPath, // ffmpeg location
  326. '--add-metadata', // Write metadata to the video file
  327. '--audio-format', settingAudioFormat, // Specify audio format: "best", "aac", "flac", "mp3", "m4a", "opus", "vorbis", or "wav"; "best" by default; No effect without -x
  328. '--extract-audio', // Convert video files to audio-only files (requires ffmpeg or avconv and ffprobe or avprobe)
  329. '--audio-quality', '0', // value between 0 (better) and 9 (worse) for VBR or a specific bitrate like 128K (default 5),
  330. '--fixup', 'detect_or_warn' // Automatically correct known faults of the file.
  331. ]
  332. // prepend/add some case-specific parameter / flag
  333. if ((settingAudioFormat === 'mp3') || (settingAudioFormat === 'm4a')) {
  334. youtubeDlParameter.unshift('--embed-thumbnail') // prepend Post-processing Option
  335. }
  336. break
  337. case 'video':
  338. youtubeDlParameter = [
  339. // OPTIONS
  340. '--ignore-errors', // Continue on download errors, for example to skip unavailable videos in a playlist
  341. '--format', 'best',
  342. '--output', path.join(configuredDownloadFolder, 'Video', '%(title)s-%(id)s.%(ext)s'), // output path
  343. // FILESYSTEM OPTIONS
  344. '--restrict-filenames', // Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames
  345. '--continue', // Force resume of partially downloaded files. By default, youtube-dl will resume downloads if possible.
  346. // POST PROCESSING
  347. '--prefer-ffmpeg', '--ffmpeg-location', ffmpegPath, // ffmpeg location
  348. '--add-metadata', // Write metadata to the video file
  349. '--audio-quality', '0', // value between 0 (better) and 9 (worse) for VBR or a specific bitrate like 128K (default 5)
  350. '--fixup', 'detect_or_warn' // Automatically correct known faults of the file.
  351. ]
  352. break
  353. default:
  354. windowMainApplicationStateSet()
  355. utils.writeConsoleMsg('error', 'windowMainDownloadContent ::: Unspecified mode. This should never happen.')
  356. utils.showNoty('error', 'Unexpected download mode. Please report this issue', 0)
  357. return
  358. }
  359. windowMainLogAppend('\n') // Show mode in log
  360. windowMainLogAppend('### QUEUE STARTED ###', true) // Show mode in log
  361. windowMainLogAppend('Download mode:\t' + mode, true) // Show mode in log
  362. // show the selected audio-format
  363. if (mode === 'audio') {
  364. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: AudioFormat is set to: _' + settingAudioFormat + '_')
  365. windowMainLogAppend('Audio-Format:\t' + settingAudioFormat, true) // Show mode in log
  366. }
  367. // if verboseMode is enabled - append the related youtube-dl flags to the parameter array
  368. var settingVerboseMode = utils.globalObjectGet('enableVerboseMode')
  369. if (settingVerboseMode === true) {
  370. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Verbose Mode is enabled')
  371. youtubeDlParameter.unshift('--verbose') // prepend: verbose
  372. youtubeDlParameter.unshift('--print-traffic') // prepend: traffic (header)
  373. } else {
  374. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Verbose Mode is disabled')
  375. }
  376. windowMainLogAppend('Verbose mode:\t' + settingVerboseMode, true) // Show verbose mode in log
  377. // if configured - add custom additional parameter to parameter array - see #88
  378. var isAdditionalParameterEnabled = utils.globalObjectGet('enableAdditionalParameter')
  379. if (isAdditionalParameterEnabled === true) {
  380. var configuredAdditionalParameter = utils.globalObjectGet('additionalYoutubeDlParameter')
  381. var splittedParameters = configuredAdditionalParameter.split(' ')
  382. windowMainLogAppend('Added parameters:\t' + splittedParameters, true) // Show mode in log
  383. if (splittedParameters.length > 0) { // append custom parameter to parameter array
  384. for (var j = 0; j < splittedParameters.length; j++) {
  385. youtubeDlParameter.push(splittedParameters[j])
  386. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Appending custom parameter: _' + splittedParameters[j] + '_ to the youtube-dl parameter set.')
  387. }
  388. }
  389. }
  390. // update UI
  391. windowMainSetReadOnly()
  392. // assuming we got an array with urls to process
  393. // for each item of the array ... try to start a download-process
  394. var url
  395. for (var i = 0; i < arrayUserUrlsN.length; i++) {
  396. sentry.countEvent('usageURLsOverall')
  397. url = utils.fullyDecodeURI(arrayUserUrlsN[i]) // decode url - see #25
  398. utils.writeConsoleMsg('info', 'windowMainDownloadContent ::: Added URL: _' + url + '_ (' + mode + ') with the following parameters: _' + youtubeDlParameter + '_ to the queue.')
  399. // windowMainLogAppend('Added: \t\t' + url + ' to queue', true) // append url to log
  400. // Check if url is a playlist (example: https://www.youtube.com/playlist?list=PL53E6B270F5FF0D49 )
  401. if ((url.includes('playlist')) && (url.includes('list='))) {
  402. windowMainLogAppend('Added: \t\t' + url + ' to queue (might be a playlist)', true) // append url to log
  403. } else {
  404. windowMainLogAppend('Added: \t\t' + url + ' to queue', true) // append url to log
  405. }
  406. // Download
  407. //
  408. // const newDownload = youtubedl.exec(url, youtubeDlParameter, {}, function (error, output) {
  409. youtubedl.exec(url, youtubeDlParameter, {}, function (error, output) {
  410. if (error) {
  411. sentry.countEvent('usageURLsFailed')
  412. utils.showNoty('error', '<b>Download failed</b><br><br>' + error + '<br><br><small><b><u>Common causes</u></b><br>* youtube-dl does not support this url. Please check the list of extractors<br>* Using old version of media-dupes<br>* Using old version of youtube-dl<br>* Country-/ and/or similar restrictions</small>', 0)
  413. utils.writeConsoleMsg('error', 'windowMainDownloadContent ::: Problems downloading an url with the following parameters: _' + youtubeDlParameter + '_. Error: ' + error)
  414. windowMainLogAppend('Failed to download a single url', true)
  415. arrayUrlsThrowingErrors.push(url) // remember troublesome url (Attention: this is not the actual url . we got a problem here)
  416. utils.downloadStatusCheck(arrayUserUrlsN.length, arrayUrlsProcessedSuccessfully.length, arrayUrlsThrowingErrors.length) // check if we are done here
  417. throw error
  418. }
  419. // no error occured for this url - assuming the download finished
  420. //
  421. arrayUrlsProcessedSuccessfully.push(url)
  422. utils.writeConsoleMsg('info', output.join('\n')) // Show processing output for this download task
  423. windowMainLogAppend(output.join('\n')) // Show processing output for this download task
  424. if (arrayUserUrlsN.length > 1) {
  425. utils.showNoty('success', 'Finished 1 download') // inform user
  426. }
  427. utils.downloadStatusCheck(arrayUserUrlsN.length, arrayUrlsProcessedSuccessfully.length, arrayUrlsThrowingErrors.length) // check if we are done here
  428. // FIXME:
  429. //
  430. // the variable URL contains in both cases the last processed url
  431. // thats why we can't show the actual url in the log
  432. })
  433. }
  434. }
  435. }
  436. }
  437. /**
  438. * @function windowMainSetReadOnly
  439. * @summary ensures that the user can not add or remove items to the todo-list while the app is processing an existing todo list
  440. * @description ensures that the user can not add or remove items to the todo-list while the app is processing an existing todo list
  441. */
  442. function windowMainSetReadOnly () {
  443. $('#buttonAddUrl').prop('disabled', true) // disable the add url button
  444. $('#inputNewUrl').prop('disabled', true) // url input field
  445. // make sure the user can no longer remove items from the todolist
  446. $('#delete').prop('disabled', true) // disable all delete buttons for each url
  447. }
  448. /**
  449. * @function windowMainDownloadVideo
  450. * @summary Does the actual video download
  451. * @description Does the actual video download (without using youtube-dl.exec)
  452. */
  453. function windowMainDownloadVideo () {
  454. // some example urls for tests
  455. //
  456. // VIDEO:
  457. // YOUTUBE: http://www.youtube.com/watch?v=90AiXO1pAiA // 11 sec less then 1 MB
  458. // https://www.youtube.com/watch?v=cmiXteWLNw4 // 1 hour
  459. // https://www.youtube.com/watch?v=bZ_C-AVo5xA // for simulating download errors
  460. // VIMEO: https://vimeo.com/315670384 // 48 sec around 1GB
  461. // https://vimeo.com/274478457 // 6 sec around 4MB
  462. //
  463. // AUDIO:
  464. // SOUNDCLOUD: https://soundcloud.com/jperiod/rise-up-feat-black-thought-2
  465. // BANDCAMP: https://nosferal.bandcamp.com/album/nosferal-ep-mini-album
  466. // FIXME:
  467. // This method now seems to work good for youtube urls
  468. // BUT not for non-youtube urls
  469. // media-dupes is currently not using this function
  470. /*
  471. var configuredDownloadFolder = utils.globalObjectGet('downloadDir') // What is the target dir
  472. utils.writeConsoleMsg('info', 'windowMainDownloadVideo ::: Download target directory is set to: _' + configuredDownloadFolder + '_.')
  473. if (utils.isDirectoryAvailable(configuredDownloadFolder)) {
  474. // the default download folder exists
  475. if (utils.isDirectoryWriteable(configuredDownloadFolder)) {
  476. // check if it is writeable
  477. // Prepare UI
  478. windowMainButtonsStartDisable() // disable the start buttons
  479. windowMainButtonsOthersDisable() // disables some other buttons
  480. windowMainLoadingAnimationShow() // start download animation / spinner
  481. // require some stuff
  482. const youtubedl = require('youtube-dl')
  483. const path = require('path')
  484. const fs = require('fs')
  485. // ffmpeg
  486. var ffmpegPath = ffmpeg.ffmpegGetBinaryPath()
  487. utils.writeConsoleMsg('info', 'windowMainDownloadVideo ::: Detected bundled ffmpeg at: _' + ffmpegPath + '_.')
  488. var youtubeDlParameter = ''
  489. youtubeDlParameter = [
  490. // OPTIONS
  491. '--ignore-errors', // Continue on download errors, for example to skip unavailable videos in a playlist
  492. //'--format=best',
  493. '--output', path.join(configuredDownloadFolder, 'Video', '%(title)s-%(id)s.%(ext)s'), // output path
  494. // FILESYSTEM OPTIONS
  495. '--restrict-filenames', // Restrict filenames to only ASCII characters, and avoid "&" and spaces in filenames
  496. '--continue', // Force resume of partially downloaded files. By default, youtube-dl will resume downloads if possible.
  497. // VERBOSE
  498. '--print-json',
  499. // POST PROCESSING
  500. '--prefer-ffmpeg', '--ffmpeg-location=' + ffmpegPath, // ffmpeg location
  501. '--add-metadata', // Write metadata to the video file
  502. ///'--audio-quality', '0', // value between 0 (better) and 9 (worse) for VBR or a specific bitrate like 128K (default 5)
  503. //'--fixup', 'detect_or_warn' // Automatically correct known faults of the file.
  504. ]
  505. // Check if todoArray exists otherwise abort and throw error. See: MEDIA-DUPES-J
  506. if (typeof arrayUserUrlsN === 'undefined' || !(arrayUserUrlsN instanceof Array)) {
  507. utils.showNoty('error', 'Unexpected state of array _arrayUserUrlsN_ in function downloadVideo(). Please report this', 0)
  508. return
  509. }
  510. utils.writeConsoleMsg('info', 'windowMainDownloadVideo ::: Using youtube.dl: _' + youtubeDl.binaryPathGet() + '_.')
  511. var arrayUrlsThrowingErrors = [] // prepare array for urls which are throwing errors
  512. var arrayUrlsProcessedSuccessfully = []
  513. var downloadUrlTargetName = []
  514. // assuming we got an array with urls to process
  515. // for each item of the array ... try to start a download-process
  516. var arrayLength = arrayUserUrlsN.length
  517. windowMainLogAppend('Queue contains ' + arrayLength + ' urls.')
  518. windowMainLogAppend('Starting to download items from queue ... ')
  519. for (var i = 0; i < arrayLength; i++) {
  520. var url = arrayUserUrlsN[i] // get url
  521. // decode url - see #25
  522. //
  523. // url = decodeURI(url);
  524. url = utils.fullyDecodeURI(url)
  525. windowMainLogAppend('Starting to process the url: ' + url + ' ...')
  526. utils.writeConsoleMsg('info', 'windowMainDownloadVideo ::: Processing URL: _' + url + '_.') // show url
  527. utils.writeConsoleMsg('info', 'windowMainDownloadVideo ::: Using the following parameters: _' + youtubeDlParameter + '_.') // show parameters
  528. const video = youtubedl(url, youtubeDlParameter)
  529. // Variables for progress of each download
  530. let size = 0
  531. let pos = 0
  532. let progress = 0
  533. video.on('error', function error(error) {
  534. //console.log(error)
  535. utils.showNoty('error', '<b>Download failed</b><br><br>' + error + '<br><br><small><b><u>Common causes</u></b><br>* youtube-dl does not support this url. Please check the list of extractors<br>* Country-/ and/or similar restrictions</small>', 0)
  536. utils.writeConsoleMsg('error', 'windowMainDownloadContent ::: Problems downloading an url with the following parameters: _' + youtubeDlParameter + '_. Error: ' + error)
  537. windowMainLogAppend('Failed to download a single url', true)
  538. throw error
  539. })
  540. // When the download fetches info - start writing to file
  541. //
  542. video.on('info', function (info) {
  543. // downloadUrlTargetName[i] = path.join(configuredDownloadFolder, 'Video', info._filename) // define the final name & path
  544. downloadUrlTargetName[i] = info._filename // define the final name & path
  545. size = info.size // needed to handle the progress later on('data'
  546. console.log('filename: ' + info._filename)
  547. windowMainLogAppend('Filename: ' + info._filename)
  548. console.log('size: ' + info.size)
  549. windowMainLogAppend('Size: ' + utils.formatBytes(info.size))
  550. // start the actual download & write to file
  551. var writeStream = fs.createWriteStream(downloadUrlTargetName[i])
  552. video.pipe(writeStream)
  553. })
  554. // updating progress
  555. //
  556. video.on('data', (chunk) => {
  557. // console.log('Getting another chunk: _' + chunk.length + '_.')
  558. pos += chunk.length
  559. if (size) {
  560. progress = (pos / size * 100).toFixed(2) // calculate progress
  561. console.log('Download-progress is: _' + progress + '_.')
  562. windowMainLogAppend('Download progress: ' + progress + '%')
  563. }
  564. })
  565. // If download was already completed and there is nothing more to download.
  566. //
  567. video.on('complete', function complete (info) {
  568. console.warn('filename: ' + info._filename + ' already downloaded.')
  569. windowMainLogAppend('Filename: ' + info._filename + ' already downloaded.')
  570. })
  571. // Download finished
  572. //
  573. video.on('end', function () {
  574. console.log('Finished downloading 1 url')
  575. windowMainLogAppend('Finished downloading url')
  576. arrayUrlsProcessedSuccessfully.push(url)
  577. // if all downloads finished
  578. if (arrayUrlsProcessedSuccessfully.length === arrayLength) {
  579. utils.showNotification('Finished downloading ' + arrayUrlsProcessedSuccessfully.length + ' url(s). Queue is now empty.')
  580. windowMainLogAppend('Finished downloading ' + arrayUrlsProcessedSuccessfully.length + ' url(s). Queue is now empty.', true)
  581. windowMainUiMakeUrgent() // mark mainWindow as urgent to inform the user about the state change
  582. windowMainLoadingAnimationHide() // stop download animation / spinner
  583. windowMainButtonsOthersEnable() // enable some of the buttons again
  584. }
  585. })
  586. }
  587. }
  588. }
  589. */
  590. }
  591. /**
  592. * @function windowMainAddUrl
  593. * @summary Handles the add-url-click of the user
  594. * @description Fetches the user provided url, trims it and adds it to an array. Is then calling todoListUpdate()
  595. */
  596. function windowMainAddUrl () {
  597. var newUrl = $('#inputNewUrl').val() // get content of input
  598. newUrl = newUrl.trim() // trim the url to remove blanks
  599. if (newUrl !== '') {
  600. var isUrlValid = utils.validURL(newUrl)
  601. if (isUrlValid) {
  602. // check if url is already in arrayUserUrlsN - If not add it to table
  603. var isThisUrlAlreadyPartOfList = arrayUserUrlsN.includes(newUrl)
  604. if (isThisUrlAlreadyPartOfList === false) {
  605. utils.writeConsoleMsg('info', 'windowMainAddUrl ::: Adding new url: _' + newUrl + '_.')
  606. $('#inputNewUrl').val('') // reset input
  607. inputUrlFieldSetState() // empty = white
  608. arrayUserUrlsN.push(newUrl) // append to array
  609. toDoListSingleUrlAdd(newUrl) // #102
  610. } else {
  611. utils.showNoty('warning', 'This url is already part of the current todo list')
  612. }
  613. // if array size > 0 -> enable start button
  614. var arrayLength = arrayUserUrlsN.length
  615. if (arrayLength === 0) {
  616. utils.globalObjectSet('todoListStateEmpty', true)
  617. } else {
  618. windowMainButtonsStartEnable()
  619. utils.globalObjectSet('todoListStateEmpty', false)
  620. }
  621. } else {
  622. // invalid url
  623. utils.writeConsoleMsg('warn', 'windowMainAddUrl ::: Detected invalid url: _' + newUrl + '_.')
  624. utils.showNoty('warning', 'Please insert a valid url (reason: unable to dectect a valid url)')
  625. $('#inputNewUrl').focus() // focus to input field
  626. $('#inputNewUrl').select() // select it entirely
  627. }
  628. } else {
  629. // empty
  630. utils.writeConsoleMsg('warn', 'windowMainAddUrl ::: Detected empty url.')
  631. utils.showNoty('warning', 'Please insert a valid url (reason: was empty)')
  632. $('#inputNewUrl').focus() // focus to input field
  633. }
  634. }
  635. /**
  636. * @function windowMainDistract
  637. * @summary Starts the distraction mode
  638. * @description Sends a request to main.js to start the "hidden" distraction mode (easteregg)
  639. */
  640. function windowMainDistract () {
  641. const { ipcRenderer } = require('electron')
  642. distractEnabler = distractEnabler + 1
  643. utils.writeConsoleMsg('info', 'distract ::: Enabler is now: ' + distractEnabler)
  644. if (distractEnabler === 3) {
  645. sentry.countEvent('usageTetris')
  646. distractEnabler = 0 // reset the counter
  647. utils.writeConsoleMsg('info', 'distract ::: Init some distraction')
  648. ipcRenderer.send('startDistraction') // tell main.js to load distraction UI
  649. }
  650. }
  651. /**
  652. * @function windowMainDownloadQueueFinished
  653. * @summary Re-setups the main UI post downloads
  654. * @description Gets triggered after the download function finished
  655. */
  656. function windowMainDownloadQueueFinished () {
  657. windowMainUiMakeUrgent() // mark mainWindow as urgent to inform the user about the state change
  658. windowMainLoadingAnimationHide() // stop download animation / spinner
  659. windowMainButtonsOthersEnable() // enable some of the buttons again
  660. windowMainApplicationStateSet() // reset application state
  661. windowMainDisablePowerSaveBlocker() // disabled the power save blocker
  662. utils.globalObjectSet('todoListStateEmpty', true)
  663. }
  664. /**
  665. * @function windowMainUiReset
  666. * @summary Resets the UI back to default
  667. * @description Resets the UI back to default
  668. */
  669. function windowMainUiReset () {
  670. utils.writeConsoleMsg('info', 'windowMainUiReset ::: Starting to reset the UI')
  671. // call reload of the mainWindow
  672. const { ipcRenderer } = require('electron')
  673. ipcRenderer.send('reloadMainWindow')
  674. }
  675. /**
  676. * @function windowMainToDoListRestore
  677. * @summary Restores urls from json files back to the todoList
  678. * @description Reads all existing json files and restores those contains preiosly stored urls.
  679. */
  680. function windowMainToDoListRestore () {
  681. const storage = require('electron-json-storage')
  682. // utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Check if there are urls to restore ...')
  683. var curUrl
  684. var restoreCounter = 0
  685. storage.getAll(function (error, data) {
  686. if (error) {
  687. utils.writeConsoleMsg('error', 'windowMaintoDoListRestore ::: Failed to fetch all json files. Error: ' + error)
  688. throw error
  689. }
  690. // console.error(data); // object with all setting files
  691. // loop over them and find each which starts with todoListEntry_
  692. for (var key in data) {
  693. // utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Current config file: _' + key + '_.') // key = name of json file
  694. // FIXME:
  695. // Check for better approach:
  696. // https://eslint.org/docs/rules/no-prototype-builtins
  697. if (key.startsWith('todoListEntry_')) {
  698. curUrl = data[key].url
  699. utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Restoring the url: _' + curUrl + '_ from settings file: _' + key + '_.') // key = name of json file
  700. arrayUserUrlsN.push(curUrl) // append to array
  701. toDoListSingleUrlAdd(curUrl)
  702. restoreCounter = restoreCounter + 1 // update url-restore counter
  703. // Delete the related file
  704. storage.remove(key, function (error) {
  705. if (error) {
  706. utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Failed to delete a url restore file: _' + key + '_.') // key = name of json file
  707. throw error
  708. }
  709. })
  710. }
  711. }
  712. // inform the user if something got restored
  713. if (restoreCounter > 0) {
  714. utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Finished restored ' + restoreCounter + ' URLs from previous session.')
  715. utils.showNoty('success', 'Restored <b>' + restoreCounter + '</b> URLs from your last session.')
  716. // get focus
  717. const { ipcRenderer } = require('electron')
  718. ipcRenderer.send('makeWindowUrgent')
  719. utils.globalObjectSet('todoListStateEmpty', false) // remember that todo list is now not longer empty - see #105
  720. windowMainButtonsStartEnable() // enable the start buttons
  721. } else {
  722. utils.writeConsoleMsg('info', 'windowMaintoDoListRestore ::: Found no urls to restore from previous session.')
  723. }
  724. })
  725. }
  726. /**
  727. * @function windowMainToDoListSave
  728. * @summary Saves the current content of the todoList to files
  729. * @description Creates a json file for each url of the todoList. Those files can be restored on next application launch
  730. */
  731. function windowMainToDoListSave () {
  732. const storage = require('electron-json-storage')
  733. utils.writeConsoleMsg('info', 'windowMainToDoListSave ::: Should backup todolist')
  734. var isToDoListEmpty = utils.globalObjectGet('todoListStateEmpty') // #79
  735. if (isToDoListEmpty === false) {
  736. var baseName = 'todoListEntry_'
  737. var tempName
  738. var arrayLength = arrayUserUrlsN.length
  739. for (var i = 0; i < arrayLength; i++) {
  740. var url = arrayUserUrlsN[i]
  741. tempName = baseName + i
  742. utils.writeConsoleMsg('info', 'windowMainToDoListSave ::: Trying to save the URL: ' + url + '_ to the file: _' + tempName + '_.')
  743. storage.set(tempName, { url: url }, function (error) {
  744. if (error) {
  745. utils.writeConsoleMsg('error', 'Error writing json file')
  746. throw error
  747. }
  748. utils.writeConsoleMsg('info', 'windowMainToDoListSave ::: Written the url _' + url + '_ to the file: _' + tempName + '_.')
  749. })
  750. }
  751. utils.writeConsoleMsg('info', 'windowMainToDoListSave ::: Finished saving todoList content to files.')
  752. } else {
  753. utils.writeConsoleMsg('info', 'windowMainToDoListSave ::: todoList was empty - nothing to store.') // #79
  754. }
  755. }
  756. /**
  757. * @function windowMainUiMakeUrgent
  758. * @summary Tells the main process to mark the application as urgent (blinking in task manager)
  759. * @description Is used to inform the user about an important state-change (all downloads finished). Triggers code in main.js which does the actual work
  760. */
  761. function windowMainUiMakeUrgent () {
  762. const { ipcRenderer } = require('electron')
  763. ipcRenderer.send('makeWindowUrgent') // make window urgent after having finished downloading. See #7
  764. }
  765. /**
  766. * @function windowMainEnableAddUrlButton
  767. * @summary Enables the AddUrlButton
  768. * @description Enables the AddUrlButton if it isnt already
  769. */
  770. function windowMainEnableAddUrlButton () {
  771. if ($('#buttonAddUrl').is(':disabled')) {
  772. $('#buttonAddUrl').prop('disabled', false) // enable the add url button
  773. utils.writeConsoleMsg('info', 'windowMainEnableAddUrlButton ::: Enabled the add URL button.')
  774. }
  775. }
  776. /**
  777. * @function windowMainDisableAddUrlButton
  778. * @summary Disables the AddUrlButton
  779. * @description Disabled the AddUrlButton if it isnt already
  780. */
  781. function windowMainDisableAddUrlButton () {
  782. if ($('#buttonAddUrl').is(':enabled')) {
  783. $('#buttonAddUrl').prop('disabled', true) // disable the add url button
  784. utils.writeConsoleMsg('info', 'windowMainDisableAddUrlButton ::: Disabled the add URL button.')
  785. }
  786. }
  787. /**
  788. * @function inputUrlFieldSetState
  789. * @summary Sets the background color of the url input field based on the given state
  790. * @description Sets the background color of the url input field based on the given state
  791. * @param {String} state - Known states or 'reachable', 'unchecked', 'unreachable' and default/any else
  792. */
  793. function inputUrlFieldSetState (state) {
  794. switch (state) {
  795. case 'valid':
  796. $('#inputNewUrl').css('background-color', '#90EE90') // green
  797. windowMainEnableAddUrlButton()
  798. break
  799. case 'unchecked':
  800. $('#inputNewUrl').css('background-color', '#ffe5e5') // light red
  801. windowMainDisableAddUrlButton()
  802. break
  803. default:
  804. $('#inputNewUrl').css('background-color', '#FFFFFF') // white
  805. windowMainDisableAddUrlButton()
  806. break
  807. }
  808. }
  809. /**
  810. * @function youtubeSuggest
  811. * @summary Opens a dialog to ask for a user string. Is then using the string to get youtube suggestions for the string
  812. * @description Opens a dialog to ask for a user string. Is then using the string to get youtube suggestions for the string. Results are appended to the log
  813. */
  814. function youtubeSuggest () {
  815. const prompt = require('electron-prompt')
  816. const youtubeSearchUrlBase = 'https://www.youtube.com/results?search_query='
  817. var url
  818. var curResult
  819. prompt({
  820. title: 'YouTube Search Suggestions',
  821. label: 'Searchphrase:',
  822. value: '',
  823. inputAttrs: {
  824. type: 'text'
  825. },
  826. type: 'input'
  827. })
  828. .then((r) => {
  829. if (r === null) {
  830. utils.writeConsoleMsg('warn', 'youtubeSuggest ::: User aborted input dialog')
  831. } else {
  832. if ((r !== null) && (r !== '')) {
  833. windowMainLoadingAnimationShow()
  834. utils.writeConsoleMsg('info', 'youtubeSuggest ::: User search string is: _' + r + '_.')
  835. windowMainLogAppend('Searching for Youtube suggestions for the searchphase: ' + r, true)
  836. var youtubeSuggest = require('youtube-suggest')
  837. var assert = require('assert')
  838. youtubeSuggest(r).then(function (results) {
  839. assert(Array.isArray(results))
  840. if (results.length > 0) { // if we got suggestions
  841. assert(typeof results[0] === 'string')
  842. // Loop over array and append to log
  843. for (var i = 0; i < results.length; i++) {
  844. curResult = results[i].replace(/ /g, '+') // replace space with +
  845. url = youtubeSearchUrlBase + curResult
  846. windowMainLogAppend('> ' + results[i] + ' : ' + url)
  847. }
  848. windowMainLogAppend('Finished searching for Youtube suggestions for the search phrase: ' + r + '\n', true)
  849. windowMainLoadingAnimationHide()
  850. // ask user if he wants to open all those urls
  851. const Noty = require('noty')
  852. var n = new Noty(
  853. {
  854. theme: 'bootstrap-v4',
  855. layout: 'bottom',
  856. type: 'info',
  857. closeWith: [''], // to prevent closing the confirm-dialog by clicking something other then a confirm-dialog-button
  858. text: 'Do you want to open all suggestions in your browser?',
  859. buttons: [
  860. Noty.button('Yes', 'btn btn-success mediaDupes_btnDefaultWidth', function () {
  861. n.close()
  862. // loop over array and call openURL
  863. for (var i = 0; i < results.length; i++) {
  864. curResult = results[i].replace(/ /g, '+') // replace space with +
  865. url = youtubeSearchUrlBase + curResult
  866. utils.openURL(url)
  867. }
  868. },
  869. {
  870. id: 'button1', 'data-status': 'ok'
  871. }),
  872. Noty.button('No', 'btn btn-secondary mediaDupes_btnDefaultWidth float-right', function () {
  873. n.close()
  874. })
  875. ]
  876. })
  877. n.show() // show the noty dialog
  878. } else {
  879. utils.showNoty('warning', '<b>Warning:</b> Unable to get suggestions for this search phrase')
  880. windowMainLogAppend('Finished searching for Youtube suggestions for the searchphase: ' + r + ' without results', true)
  881. windowMainLoadingAnimationHide()
  882. }
  883. })
  884. // end suggest
  885. } else {
  886. utils.showNoty('warning', '<b>Warning:</b> Unable to search suggestions without search string')
  887. }
  888. }
  889. })
  890. .catch(console.error)
  891. }
  892. /**
  893. * @function windowMainDisablePowerSaveBlocker
  894. * @summary Disable the power save blocker
  895. * @description RDisable the power save blocker
  896. */
  897. function windowMainDisablePowerSaveBlocker () {
  898. utils.writeConsoleMsg('info', 'windowMainDisablePowerSaveBlocker ::: Check if there is a PowerSaveBlocker enabled, if so try to disable it.')
  899. var currentPowerSaveBlockerStatus = utils.globalObjectGet('powerSaveBlockerEnabled')
  900. if (currentPowerSaveBlockerStatus === true) {
  901. var currentPowerSaveBlockerId = utils.globalObjectGet('powerSaveBlockerId') // get the id
  902. if (currentPowerSaveBlockerId !== -1) {
  903. utils.writeConsoleMsg('info', 'windowMainDisablePowerSaveBlocker ::: Trying to disable the PowerSaveBlocker with the ID _' + currentPowerSaveBlockerId + '_ now, as media-dupes is not longer downloading.')
  904. const { ipcRenderer } = require('electron')
  905. ipcRenderer.send('disablePowerSaveBlocker', currentPowerSaveBlockerId)
  906. }
  907. } else {
  908. utils.writeConsoleMsg('info', 'windowMainDisablePowerSaveBlocker ::: PowerSaveBlocker was not enabled, so nothing to do here.')
  909. }
  910. }
  911. /**
  912. * @function toDoListSingleUrlRemove
  913. * @summary Remove a single url from todo list array
  914. * @description Remove a single url from todo list array
  915. * @param {String} url - The url which should be removed from the todo array
  916. */
  917. function toDoListSingleUrlRemove (url) {
  918. const index = arrayUserUrlsN.indexOf(url)
  919. // console.error(arrayUserUrlsN)
  920. // console.error(url)
  921. if (index > -1) {
  922. arrayUserUrlsN.splice(index, 1)
  923. utils.writeConsoleMsg('info', 'toDoListSingleUrlRemove ::: Removed the url from the todo list array.')
  924. } else {
  925. utils.writeConsoleMsg('error', 'toDoListSingleUrlRemove ::: Unable to remove the url from the todo list array.')
  926. }
  927. // check array size (to ensure saving & restoring urls works as expected)
  928. if (arrayUserUrlsN.length === 0) {
  929. utils.globalObjectSet('todoListStateEmpty', true)
  930. windowMainButtonsStartDisable() // disable start buttons
  931. } else {
  932. utils.globalObjectSet('todoListStateEmpty', false)
  933. windowMainButtonsStartEnable() // Enable Start buttons
  934. }
  935. }
  936. /**
  937. * @function truncateString
  938. * @summary Truncate a string
  939. * @description Truncate a string
  940. * @param {String} str - The string which should be truncated
  941. * @param {number} num - The length after which the string should get truncated
  942. */
  943. function truncateString (str, num) {
  944. utils.writeConsoleMsg('info', 'truncateString ::: Truncating _' + str + '_ after ' + num + ' chars.')
  945. // remove http/https
  946. str = str.replace('https://', '')
  947. str = str.replace('http://', '')
  948. // If the length of str is less than or equal to num just return str--don't truncate it.
  949. if (str.length <= num) {
  950. return str
  951. }
  952. return str.slice(0, num) + '...' // Return str truncated with '...' concatenated to the end of str.
  953. }
  954. // #102
  955. /**
  956. * @function toDoListSingleUrlAdd
  957. * @summary Add a single row to the dataTable
  958. * @description Add a single row to the dataTable
  959. * @param {String} url - The url which should be added to the datatable todo list
  960. */
  961. function toDoListSingleUrlAdd (url) {
  962. windowMainLoadingAnimationShow() // show that something is currently happening
  963. var urlId = utils.generateUrlId(url) // generate an id for this url
  964. var shortUrl = truncateString(url, 40)
  965. // add new row to datatable (with the most important informations)
  966. //
  967. var table = $('#example').DataTable()
  968. table.row.add([
  969. urlId, // ID
  970. '<div class="spinner-border spinner-border-sm text-secondary" role="status"><span class="sr-only">Loading...</span></div>', // logo
  971. '<div class="spinner-border spinner-border-sm text-secondary" role="status"><span class="sr-only">Loading...</span></div>', // preview
  972. '<button type="button" id="play" name="play" class="btn btn-sm btn-outline-secondary" disabled><i class="fas fa-play"></i></button>', // Play
  973. shortUrl, // url
  974. url,
  975. '', // state
  976. '<button type="button" id="delete" name="delete" class="btn btn-sm btn-outline-danger disabled"><i class="fas fa-trash-alt"></i></button>' // remove
  977. ]).draw(false)
  978. utils.writeConsoleMsg('info', 'toDoListSingleUrlAdd ::: Added the url _' + url + '_ to the todo-list (dataTable).')
  979. // The following code is now moved to seperate function: startMetaScraper()
  980. // Now try to fetch meta informations about the url using: metascraper
  981. //
  982. const metascraper = require('metascraper')([
  983. require('metascraper-video')(),
  984. require('metascraper-description')(),
  985. require('metascraper-image')(),
  986. require('metascraper-audio')(),
  987. require('metascraper-logo')(),
  988. require('metascraper-logo-favicon')(),
  989. require('metascraper-media-provider')(),
  990. require('metascraper-soundcloud')(),
  991. require('metascraper-title')(),
  992. require('metascraper-youtube')()
  993. ])
  994. var urlLogo
  995. var urlImage
  996. var urlDescription
  997. var urlTitle
  998. var urlAudio
  999. const got = require('got')
  1000. const targetUrl = url
  1001. ;(async () => {
  1002. const { body: html, url } = await got(targetUrl)
  1003. const metadata = await metascraper({ html, url })
  1004. // console.log(metadata) // show all detected metadata
  1005. utils.writeConsoleMsg('info', 'toDoListSingleUrlAdd ::: Scraped the following metadata: ', metadata)
  1006. urlLogo = metadata.logo
  1007. urlImage = metadata.image
  1008. urlDescription = metadata.description
  1009. urlTitle = metadata.title
  1010. urlAudio = metadata.audio
  1011. // find the new datatable record
  1012. //
  1013. var indexes = table.rows().eq(0).filter(function (rowIdx) {
  1014. return table.cell(rowIdx, 0).data() === urlId
  1015. })
  1016. // console.error(indexes)
  1017. // console.error(indexes[0])
  1018. // update the previously generated new row
  1019. //
  1020. // logo
  1021. if (urlLogo == null) {
  1022. urlLogo = 'img/dummy/dummy.png'
  1023. }
  1024. if (urlTitle == null) {
  1025. urlTitle = 'No url title'
  1026. }
  1027. table.cell({ row: indexes[0], column: 1 }).data('<img class="zoomSmall" src="' + urlLogo + '" width="30" title="' + urlTitle + '" onclick=utils.openURL("' + url + '");>')
  1028. // preview
  1029. //
  1030. if (urlImage == null) {
  1031. urlImage = 'img/dummy/dummy.png'
  1032. }
  1033. if (urlDescription == null) {
  1034. urlDescription = 'No url description available'
  1035. }
  1036. table.cell({ row: indexes[0], column: 2 }).data('<img class="zoomSmall" src="' + urlImage + '" width="30" title="' + urlDescription + '" onclick=ui.imagePreviewModalShow("' + urlImage + '"); >')
  1037. // play button
  1038. //
  1039. if (urlAudio == null) {
  1040. // dont enable the button at all
  1041. } else {
  1042. table.cell({ row: indexes[0], column: 3 }).data('<button type="button" id="play" onclick=ui.playAudio("' + urlAudio + '"); name="play" class="btn btn-sm btn-outline-secondary"><i class="fas fa-play"></i></button>')
  1043. }
  1044. // button delete: enable the delete button (to prevent that the row gets removed while mediascrapper is fetching data
  1045. //
  1046. table.cell({ row: indexes[0], column: 7 }).data('<button type="button" id="delete" name="delete" class="btn btn-sm btn-outline-danger"><i class="fas fa-trash-alt"></i></button>')
  1047. windowMainLoadingAnimationHide()
  1048. })()
  1049. }
  1050. /**
  1051. * @function imagePreviewModalShow
  1052. * @summary Shows the preview modal dialog
  1053. * @description Shows the preview modal dialog which shows a big version of the image provided by the selected url
  1054. * @param {String} url - The url which to the image
  1055. */
  1056. function imagePreviewModalShow (url) {
  1057. utils.writeConsoleMsg('info', 'imagePreviewModalShow ::: Trying to show the preview image from _' + url + '_.')
  1058. $('#imagePreview').attr('src', url) // set the image src
  1059. $('#myModalImagePreview').modal('show') // show the modal
  1060. }
  1061. /**
  1062. * @function playAudio
  1063. * @summary Pre-listening to the audio stream
  1064. * @description Plays 5 sec of audio as pre-listening
  1065. */
  1066. function playAudio (url) {
  1067. utils.writeConsoleMsg('info', 'playAudio ::: Trying to play 5 sec audio from source: _' + url + '_.')
  1068. /*
  1069. var a = new Audio(url)
  1070. try {
  1071. a.play() // start to play
  1072. setTimeout(function () { // stop it again after 5 seconds
  1073. a.pause()
  1074. }, 5000)
  1075. }
  1076. catch(error) {
  1077. utils.writeConsoleMsg('error', 'playAudio ::: Trying to play the audio failed. Error: ' + error)
  1078. }
  1079. */
  1080. var a = new Audio(url)
  1081. var playPromise = a.play()
  1082. // In browsers that don’t yet support this functionality,
  1083. // playPromise won’t be defined.
  1084. if (playPromise !== undefined) {
  1085. playPromise.then(function () {
  1086. // Automatic playback started!
  1087. setTimeout(function () { // stop it again after 5 seconds
  1088. a.pause()
  1089. }, 5000)
  1090. }).catch(function (error) {
  1091. // Automatic playback failed.
  1092. // Show a UI element to let the user manually start playback.
  1093. utils.showNoty('warning', 'Prelisting failed (no supported source was found)')
  1094. })
  1095. }
  1096. }
  1097. /**
  1098. * @function dataTablesReset
  1099. * @summary Reset the datatable
  1100. * @description Reset the datatable
  1101. */
  1102. function dataTablesReset () {
  1103. var table = $('#example').DataTable()
  1104. table
  1105. .clear()
  1106. .draw()
  1107. arrayUserUrlsN = [] // reset the array
  1108. }
  1109. // ----------------------------------------------------------------------------
  1110. // EXPORT THE MODULE FUNCTIONS
  1111. // ----------------------------------------------------------------------------
  1112. //
  1113. module.exports.windowMainApplicationStateSet = windowMainApplicationStateSet
  1114. module.exports.windowMainLoadingAnimationShow = windowMainLoadingAnimationShow
  1115. module.exports.windowMainLoadingAnimationHide = windowMainLoadingAnimationHide
  1116. module.exports.windowMainButtonsOthersEnable = windowMainButtonsOthersEnable
  1117. module.exports.windowMainButtonsOthersDisable = windowMainButtonsOthersDisable
  1118. module.exports.windowMainButtonsStartEnable = windowMainButtonsStartEnable
  1119. module.exports.windowMainButtonsStartDisable = windowMainButtonsStartDisable
  1120. module.exports.windowMainBlurSet = windowMainBlurSet
  1121. module.exports.windowMainIntroShow = windowMainIntroShow
  1122. module.exports.windowMainLogAppend = windowMainLogAppend
  1123. module.exports.windowMainLogReset = windowMainLogReset
  1124. module.exports.windowMainLogScrollToEnd = windowMainLogScrollToEnd
  1125. module.exports.windowMainResetAskUser = windowMainResetAskUser
  1126. module.exports.windowMainOpenDownloadFolder = windowMainOpenDownloadFolder
  1127. module.exports.windowMainSettingsUiLoad = windowMainSettingsUiLoad
  1128. module.exports.windowMainDownloadContent = windowMainDownloadContent
  1129. module.exports.windowMainAddUrl = windowMainAddUrl
  1130. module.exports.windowMainDistract = windowMainDistract
  1131. module.exports.windowMainDownloadQueueFinished = windowMainDownloadQueueFinished
  1132. module.exports.windowMainUiReset = windowMainUiReset
  1133. module.exports.windowMainToDoListRestore = windowMainToDoListRestore
  1134. module.exports.windowMainToDoListSave = windowMainToDoListSave
  1135. module.exports.windowMainUiMakeUrgent = windowMainUiMakeUrgent
  1136. module.exports.windowMainSetReadOnly = windowMainSetReadOnly
  1137. module.exports.windowMainDownloadVideo = windowMainDownloadVideo
  1138. module.exports.windowMainEnableAddUrlButton = windowMainEnableAddUrlButton
  1139. module.exports.windowMainDisableAddUrlButton = windowMainDisableAddUrlButton
  1140. module.exports.inputUrlFieldSetState = inputUrlFieldSetState
  1141. module.exports.youtubeSuggest = youtubeSuggest
  1142. module.exports.windowMainDisablePowerSaveBlocker = windowMainDisablePowerSaveBlocker
  1143. module.exports.toDoListSingleUrlRemove = toDoListSingleUrlRemove // #102
  1144. module.exports.toDoListSingleUrlAdd = toDoListSingleUrlAdd // #102
  1145. module.exports.imagePreviewModalShow = imagePreviewModalShow
  1146. module.exports.playAudio = playAudio
  1147. module.exports.dataTablesReset = dataTablesReset
  1148. module.exports.truncateString = truncateString