The JUCE cross-platform C++ framework, with DISTRHO/KXStudio specific changes
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

708 lines
26KB

  1. /*
  2. ==============================================================================
  3. This file is part of the JUCE examples.
  4. Copyright (c) 2017 - ROLI Ltd.
  5. The code included in this file is provided under the terms of the ISC license
  6. http://www.isc.org/downloads/software-support-policy/isc-license. Permission
  7. To use, copy, modify, and/or distribute this software for any purpose with or
  8. without fee is hereby granted provided that the above copyright notice and
  9. this permission notice appear in all copies.
  10. THE SOFTWARE IS PROVIDED "AS IS" WITHOUT ANY WARRANTY, AND ALL WARRANTIES,
  11. WHETHER EXPRESSED OR IMPLIED, INCLUDING MERCHANTABILITY AND FITNESS FOR
  12. PURPOSE, ARE DISCLAIMED.
  13. ==============================================================================
  14. */
  15. /*******************************************************************************
  16. The block below describes the properties of this PIP. A PIP is a short snippet
  17. of code that can be read by the Projucer and used to generate a JUCE project.
  18. BEGIN_JUCE_PIP_METADATA
  19. name: VideoDemo
  20. version: 1.0.0
  21. vendor: JUCE
  22. website: http://juce.com
  23. description: Plays video files.
  24. dependencies: juce_core, juce_data_structures, juce_events, juce_graphics,
  25. juce_gui_basics, juce_gui_extra, juce_video
  26. exporters: xcode_mac, vs2019, androidstudio, xcode_iphone
  27. moduleFlags: JUCE_STRICT_REFCOUNTEDPOINTER=1
  28. type: Component
  29. mainClass: VideoDemo
  30. useLocalCopy: 1
  31. END_JUCE_PIP_METADATA
  32. *******************************************************************************/
  33. #pragma once
  34. #include "../Assets/DemoUtilities.h"
  35. #if JUCE_MAC || JUCE_WINDOWS
  36. //==============================================================================
  37. // so that we can easily have two video windows each with a file browser, wrap this up as a class..
  38. class MovieComponentWithFileBrowser : public Component,
  39. public DragAndDropTarget,
  40. private FilenameComponentListener
  41. {
  42. public:
  43. MovieComponentWithFileBrowser()
  44. : videoComp (true)
  45. {
  46. addAndMakeVisible (videoComp);
  47. addAndMakeVisible (fileChooser);
  48. fileChooser.addListener (this);
  49. fileChooser.setBrowseButtonText ("browse");
  50. }
  51. void setFile (const File& file)
  52. {
  53. fileChooser.setCurrentFile (file, true);
  54. }
  55. void paintOverChildren (Graphics& g) override
  56. {
  57. if (isDragOver)
  58. {
  59. g.setColour (Colours::red);
  60. g.drawRect (fileChooser.getBounds(), 2);
  61. }
  62. }
  63. void resized() override
  64. {
  65. videoComp.setBounds (getLocalBounds().reduced (10));
  66. }
  67. bool isInterestedInDragSource (const SourceDetails&) override { return true; }
  68. void itemDragEnter (const SourceDetails&) override
  69. {
  70. isDragOver = true;
  71. repaint();
  72. }
  73. void itemDragExit (const SourceDetails&) override
  74. {
  75. isDragOver = false;
  76. repaint();
  77. }
  78. void itemDropped (const SourceDetails& dragSourceDetails) override
  79. {
  80. setFile (dragSourceDetails.description.toString());
  81. isDragOver = false;
  82. repaint();
  83. }
  84. private:
  85. VideoComponent videoComp;
  86. bool isDragOver = false;
  87. FilenameComponent fileChooser { "movie", {}, true, false, false, "*", {}, "(choose a video file to play)"};
  88. void filenameComponentChanged (FilenameComponent*) override
  89. {
  90. auto url = URL (fileChooser.getCurrentFile());
  91. // this is called when the user changes the filename in the file chooser box
  92. auto result = videoComp.load (url);
  93. videoLoadingFinished (url, result);
  94. }
  95. void videoLoadingFinished (const URL& url, Result result)
  96. {
  97. ignoreUnused (url);
  98. if (result.wasOk())
  99. {
  100. // loaded the file ok, so let's start it playing..
  101. videoComp.play();
  102. resized(); // update to reflect the video's aspect ratio
  103. }
  104. else
  105. {
  106. AlertWindow::showMessageBoxAsync (AlertWindow::WarningIcon,
  107. "Couldn't load the file!",
  108. result.getErrorMessage());
  109. }
  110. }
  111. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (MovieComponentWithFileBrowser)
  112. };
  113. //==============================================================================
  114. class VideoDemo : public Component,
  115. public DragAndDropContainer,
  116. private FileBrowserListener
  117. {
  118. public:
  119. VideoDemo()
  120. {
  121. setOpaque (true);
  122. movieList.setDirectory (File::getSpecialLocation (File::userMoviesDirectory), true, true);
  123. directoryThread.startThread (1);
  124. fileTree.addListener (this);
  125. fileTree.setColour (FileTreeComponent::backgroundColourId, Colours::lightgrey.withAlpha (0.6f));
  126. addAndMakeVisible (fileTree);
  127. addAndMakeVisible (resizerBar);
  128. loadLeftButton .onClick = [this] { movieCompLeft .setFile (fileTree.getSelectedFile (0)); };
  129. loadRightButton.onClick = [this] { movieCompRight.setFile (fileTree.getSelectedFile (0)); };
  130. addAndMakeVisible (loadLeftButton);
  131. addAndMakeVisible (loadRightButton);
  132. addAndMakeVisible (movieCompLeft);
  133. addAndMakeVisible (movieCompRight);
  134. // we have to set up our StretchableLayoutManager so it know the limits and preferred sizes of it's contents
  135. stretchableManager.setItemLayout (0, // for the fileTree
  136. -0.1, -0.9, // must be between 50 pixels and 90% of the available space
  137. -0.3); // and its preferred size is 30% of the total available space
  138. stretchableManager.setItemLayout (1, // for the resize bar
  139. 5, 5, 5); // hard limit to 5 pixels
  140. stretchableManager.setItemLayout (2, // for the movie components
  141. -0.1, -0.9, // size must be between 50 pixels and 90% of the available space
  142. -0.7); // and its preferred size is 70% of the total available space
  143. setSize (500, 500);
  144. }
  145. ~VideoDemo() override
  146. {
  147. fileTree.removeListener (this);
  148. }
  149. void paint (Graphics& g) override
  150. {
  151. g.fillAll (getUIColourIfAvailable (LookAndFeel_V4::ColourScheme::UIColour::windowBackground));
  152. }
  153. void resized() override
  154. {
  155. // make a list of two of our child components that we want to reposition
  156. Component* comps[] = { &fileTree, &resizerBar, nullptr };
  157. // this will position the 3 components, one above the other, to fit
  158. // vertically into the rectangle provided.
  159. stretchableManager.layOutComponents (comps, 3,
  160. 0, 0, getWidth(), getHeight(),
  161. true, true);
  162. // now position out two video components in the space that's left
  163. auto area = getLocalBounds().removeFromBottom (getHeight() - resizerBar.getBottom());
  164. {
  165. auto buttonArea = area.removeFromTop (30);
  166. loadLeftButton .setBounds (buttonArea.removeFromLeft (buttonArea.getWidth() / 2).reduced (5));
  167. loadRightButton.setBounds (buttonArea.reduced (5));
  168. }
  169. movieCompLeft .setBounds (area.removeFromLeft (area.getWidth() / 2).reduced (5));
  170. movieCompRight.setBounds (area.reduced (5));
  171. }
  172. private:
  173. std::unique_ptr<FileChooser> fileChooser;
  174. WildcardFileFilter moviesWildcardFilter { "*", "*", "Movies File Filter" };
  175. TimeSliceThread directoryThread { "Movie File Scanner Thread" };
  176. DirectoryContentsList movieList { &moviesWildcardFilter, directoryThread };
  177. FileTreeComponent fileTree { movieList };
  178. StretchableLayoutManager stretchableManager;
  179. StretchableLayoutResizerBar resizerBar { &stretchableManager, 1, false };
  180. TextButton loadLeftButton { "Load Left" },
  181. loadRightButton { "Load Right" };
  182. MovieComponentWithFileBrowser movieCompLeft, movieCompRight;
  183. void selectionChanged() override
  184. {
  185. // we're just going to update the drag description of out tree so that rows can be dragged onto the file players
  186. fileTree.setDragAndDropDescription (fileTree.getSelectedFile().getFullPathName());
  187. }
  188. void fileClicked (const File&, const MouseEvent&) override {}
  189. void fileDoubleClicked (const File&) override {}
  190. void browserRootChanged (const File&) override {}
  191. void selectVideoFile()
  192. {
  193. fileChooser.reset (new FileChooser ("Choose a file to open...", File::getCurrentWorkingDirectory(),
  194. "*", false));
  195. fileChooser->launchAsync (FileBrowserComponent::openMode | FileBrowserComponent::canSelectFiles,
  196. [this] (const FileChooser& chooser)
  197. {
  198. String chosen;
  199. auto results = chooser.getURLResults();
  200. // TODO: support non local files too
  201. if (results.size() > 0)
  202. movieCompLeft.setFile (results[0].getLocalFile());
  203. });
  204. }
  205. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (VideoDemo)
  206. };
  207. #elif JUCE_IOS || JUCE_ANDROID
  208. //==============================================================================
  209. class VideoDemo : public Component,
  210. private Timer
  211. {
  212. public:
  213. VideoDemo()
  214. : videoCompWithNativeControls (true),
  215. videoCompNoNativeControls (false)
  216. {
  217. loadLocalButton .onClick = [this] { selectVideoFile(); };
  218. loadUrlButton .onClick = [this] { showVideoUrlPrompt(); };
  219. seekToStartButton.onClick = [this] { seekVideoToStart(); };
  220. playButton .onClick = [this] { playVideo(); };
  221. pauseButton .onClick = [this] { pauseVideo(); };
  222. unloadButton .onClick = [this] { unloadVideoFile(); };
  223. volumeLabel .setColour (Label::textColourId, Colours::white);
  224. currentPositionLabel.setColour (Label::textColourId, Colours::white);
  225. volumeLabel .setJustificationType (Justification::right);
  226. currentPositionLabel.setJustificationType (Justification::right);
  227. volumeSlider .setRange (0.0, 1.0);
  228. positionSlider.setRange (0.0, 1.0);
  229. volumeSlider .setSliderSnapsToMousePosition (false);
  230. positionSlider.setSliderSnapsToMousePosition (false);
  231. volumeSlider.setSkewFactor (1.5);
  232. volumeSlider.setValue (1.0, dontSendNotification);
  233. #if JUCE_SYNC_VIDEO_VOLUME_WITH_OS_MEDIA_VOLUME
  234. curVideoComp->onGlobalMediaVolumeChanged = [this]() { volumeSlider.setValue (curVideoComp->getAudioVolume(), dontSendNotification); };
  235. #endif
  236. volumeSlider .onValueChange = [this]() { curVideoComp->setAudioVolume ((float) volumeSlider.getValue()); };
  237. positionSlider.onValueChange = [this]() { seekVideoToNormalisedPosition (positionSlider.getValue()); };
  238. positionSlider.onDragStart = [this]()
  239. {
  240. positionSliderDragging = true;
  241. wasPlayingBeforeDragStart = curVideoComp->isPlaying();
  242. if (wasPlayingBeforeDragStart)
  243. curVideoComp->stop();
  244. };
  245. positionSlider.onDragEnd = [this]()
  246. {
  247. if (wasPlayingBeforeDragStart)
  248. curVideoComp->play();
  249. wasPlayingBeforeDragStart = false;
  250. // Ensure the slider does not temporarily jump back on consecutive timer callback.
  251. Timer::callAfterDelay (500, [this]() { positionSliderDragging = false; });
  252. };
  253. playSpeedComboBox.addItem ("25%", 25);
  254. playSpeedComboBox.addItem ("50%", 50);
  255. playSpeedComboBox.addItem ("100%", 100);
  256. playSpeedComboBox.addItem ("200%", 200);
  257. playSpeedComboBox.addItem ("400%", 400);
  258. playSpeedComboBox.setSelectedId (100, dontSendNotification);
  259. playSpeedComboBox.onChange = [this]() { curVideoComp->setPlaySpeed (playSpeedComboBox.getSelectedId() / 100.0); };
  260. setTransportControlsEnabled (false);
  261. addAndMakeVisible (loadLocalButton);
  262. addAndMakeVisible (loadUrlButton);
  263. addAndMakeVisible (volumeLabel);
  264. addAndMakeVisible (volumeSlider);
  265. addChildComponent (videoCompWithNativeControls);
  266. addChildComponent (videoCompNoNativeControls);
  267. addAndMakeVisible (positionSlider);
  268. addAndMakeVisible (currentPositionLabel);
  269. addAndMakeVisible (playSpeedComboBox);
  270. addAndMakeVisible (seekToStartButton);
  271. addAndMakeVisible (playButton);
  272. addAndMakeVisible (unloadButton);
  273. addChildComponent (pauseButton);
  274. setSize (500, 500);
  275. RuntimePermissions::request (RuntimePermissions::readExternalStorage,
  276. [] (bool granted)
  277. {
  278. if (! granted)
  279. {
  280. AlertWindow::showMessageBoxAsync (AlertWindow::WarningIcon,
  281. "Permissions warning",
  282. "External storage access permission not granted, some files"
  283. " may be inaccessible.");
  284. }
  285. });
  286. setPortraitOrientationEnabled (true);
  287. }
  288. ~VideoDemo()
  289. {
  290. curVideoComp->onPlaybackStarted = nullptr;
  291. curVideoComp->onPlaybackStopped = nullptr;
  292. curVideoComp->onErrorOccurred = nullptr;
  293. curVideoComp->onGlobalMediaVolumeChanged = nullptr;
  294. setPortraitOrientationEnabled (false);
  295. }
  296. void paint (Graphics& g) override
  297. {
  298. g.fillAll (getUIColourIfAvailable (LookAndFeel_V4::ColourScheme::UIColour::windowBackground));
  299. }
  300. void resized() override
  301. {
  302. auto area = getLocalBounds();
  303. int marginSize = 5;
  304. int buttonHeight = 20;
  305. area.reduce (0, marginSize);
  306. auto topArea = area.removeFromTop (buttonHeight);
  307. loadLocalButton.setBounds (topArea.removeFromLeft (topArea.getWidth() / 6));
  308. loadUrlButton.setBounds (topArea.removeFromLeft (loadLocalButton.getWidth()));
  309. volumeLabel.setBounds (topArea.removeFromLeft (loadLocalButton.getWidth()));
  310. volumeSlider.setBounds (topArea.reduced (10, 0));
  311. auto transportArea = area.removeFromBottom (buttonHeight);
  312. auto positionArea = area.removeFromBottom (buttonHeight).reduced (marginSize, 0);
  313. playSpeedComboBox.setBounds (transportArea.removeFromLeft (jmax (50, transportArea.getWidth() / 5)));
  314. auto controlWidth = transportArea.getWidth() / 3;
  315. currentPositionLabel.setBounds (positionArea.removeFromRight (jmax (150, controlWidth)));
  316. positionSlider.setBounds (positionArea);
  317. seekToStartButton.setBounds (transportArea.removeFromLeft (controlWidth));
  318. playButton .setBounds (transportArea.removeFromLeft (controlWidth));
  319. unloadButton .setBounds (transportArea.removeFromLeft (controlWidth));
  320. pauseButton.setBounds (playButton.getBounds());
  321. area.removeFromTop (marginSize);
  322. area.removeFromBottom (marginSize);
  323. videoCompWithNativeControls.setBounds (area);
  324. videoCompNoNativeControls.setBounds (area);
  325. if (positionSlider.getWidth() > 0)
  326. positionSlider.setMouseDragSensitivity (positionSlider.getWidth());
  327. }
  328. private:
  329. TextButton loadLocalButton { "Load Local" };
  330. TextButton loadUrlButton { "Load URL" };
  331. Label volumeLabel { "volumeLabel", "Vol:" };
  332. Slider volumeSlider { Slider::LinearHorizontal, Slider::NoTextBox };
  333. VideoComponent videoCompWithNativeControls;
  334. VideoComponent videoCompNoNativeControls;
  335. #if JUCE_IOS || JUCE_MAC
  336. VideoComponent* curVideoComp = &videoCompWithNativeControls;
  337. #else
  338. VideoComponent* curVideoComp = &videoCompNoNativeControls;
  339. #endif
  340. bool isFirstSetup = true;
  341. Slider positionSlider { Slider::LinearHorizontal, Slider::NoTextBox };
  342. bool positionSliderDragging = false;
  343. bool wasPlayingBeforeDragStart = false;
  344. Label currentPositionLabel { "currentPositionLabel", "-:- / -:-" };
  345. ComboBox playSpeedComboBox { "playSpeedComboBox" };
  346. TextButton seekToStartButton { "|<" };
  347. TextButton playButton { "Play" };
  348. TextButton pauseButton { "Pause" };
  349. TextButton unloadButton { "Unload" };
  350. std::unique_ptr<FileChooser> fileChooser;
  351. JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (VideoDemo)
  352. JUCE_DECLARE_WEAK_REFERENCEABLE (VideoDemo)
  353. //==============================================================================
  354. void setPortraitOrientationEnabled (bool shouldBeEnabled)
  355. {
  356. auto allowedOrientations = Desktop::getInstance().getOrientationsEnabled();
  357. if (shouldBeEnabled)
  358. allowedOrientations |= Desktop::upright;
  359. else
  360. allowedOrientations &= ~Desktop::upright;
  361. Desktop::getInstance().setOrientationsEnabled (allowedOrientations);
  362. }
  363. void setTransportControlsEnabled (bool shouldBeEnabled)
  364. {
  365. positionSlider .setEnabled (shouldBeEnabled);
  366. playSpeedComboBox.setEnabled (shouldBeEnabled);
  367. seekToStartButton.setEnabled (shouldBeEnabled);
  368. playButton .setEnabled (shouldBeEnabled);
  369. unloadButton .setEnabled (shouldBeEnabled);
  370. pauseButton .setEnabled (shouldBeEnabled);
  371. }
  372. void selectVideoFile()
  373. {
  374. fileChooser.reset (new FileChooser ("Choose a video file to open...", File::getCurrentWorkingDirectory(),
  375. "*", true));
  376. fileChooser->launchAsync (FileBrowserComponent::openMode | FileBrowserComponent::canSelectFiles,
  377. [this] (const FileChooser& chooser)
  378. {
  379. auto results = chooser.getURLResults();
  380. if (results.size() > 0)
  381. loadVideo (results[0]);
  382. });
  383. }
  384. void loadVideo (const URL& url)
  385. {
  386. unloadVideoFile();
  387. #if JUCE_IOS || JUCE_MAC
  388. askIfUseNativeControls (url);
  389. #else
  390. loadUrl (url);
  391. setupVideoComp (false);
  392. #endif
  393. }
  394. void askIfUseNativeControls (const URL& url)
  395. {
  396. auto* aw = new AlertWindow ("Choose viewer type", {}, AlertWindow::NoIcon);
  397. aw->addButton ("Yes", 1, KeyPress (KeyPress::returnKey));
  398. aw->addButton ("No", 0, KeyPress (KeyPress::escapeKey));
  399. aw->addTextBlock ("Do you want to use the viewer with native controls?");
  400. auto callback = ModalCallbackFunction::forComponent (videoViewerTypeChosen, this, url);
  401. aw->enterModalState (true, callback, true);
  402. }
  403. static void videoViewerTypeChosen (int result, VideoDemo* owner, URL url)
  404. {
  405. if (owner != nullptr)
  406. {
  407. owner->setupVideoComp (result != 0);
  408. owner->loadUrl (url);
  409. }
  410. }
  411. void setupVideoComp (bool useNativeViewerWithNativeControls)
  412. {
  413. auto* oldVideoComp = curVideoComp;
  414. if (useNativeViewerWithNativeControls)
  415. curVideoComp = &videoCompWithNativeControls;
  416. else
  417. curVideoComp = &videoCompNoNativeControls;
  418. if (isFirstSetup || oldVideoComp != curVideoComp)
  419. {
  420. oldVideoComp->onPlaybackStarted = nullptr;
  421. oldVideoComp->onPlaybackStopped = nullptr;
  422. oldVideoComp->onErrorOccurred = nullptr;
  423. oldVideoComp->setVisible (false);
  424. curVideoComp->onPlaybackStarted = [this]() { processPlaybackStarted(); };
  425. curVideoComp->onPlaybackStopped = [this]() { processPlaybackPaused(); };
  426. curVideoComp->onErrorOccurred = [this](const String& errorMessage) { errorOccurred (errorMessage); };
  427. curVideoComp->setVisible (true);
  428. #if JUCE_SYNC_VIDEO_VOLUME_WITH_OS_MEDIA_VOLUME
  429. oldVideoComp->onGlobalMediaVolumeChanged = nullptr;
  430. curVideoComp->onGlobalMediaVolumeChanged = [this]() { volumeSlider.setValue (curVideoComp->getAudioVolume(), dontSendNotification); };
  431. #endif
  432. }
  433. isFirstSetup = false;
  434. }
  435. void loadUrl (const URL& url)
  436. {
  437. curVideoComp->loadAsync (url, [this] (const URL& u, Result r) { videoLoadingFinished (u, r); });
  438. }
  439. void showVideoUrlPrompt()
  440. {
  441. auto* aw = new AlertWindow ("Enter URL for video to load", {}, AlertWindow::NoIcon);
  442. aw->addButton ("OK", 1, KeyPress (KeyPress::returnKey));
  443. aw->addButton ("Cancel", 0, KeyPress (KeyPress::escapeKey));
  444. aw->addTextEditor ("videoUrlTextEditor", "https://www.rmp-streaming.com/media/bbb-360p.mp4");
  445. auto callback = ModalCallbackFunction::forComponent (videoUrlPromptClosed, this, Component::SafePointer<AlertWindow> (aw));
  446. aw->enterModalState (true, callback, true);
  447. }
  448. static void videoUrlPromptClosed (int result, VideoDemo* owner, Component::SafePointer<AlertWindow> aw)
  449. {
  450. if (result != 0 && owner != nullptr && aw != nullptr)
  451. {
  452. auto url = aw->getTextEditorContents ("videoUrlTextEditor");
  453. if (url.isNotEmpty())
  454. owner->loadVideo (url);
  455. }
  456. }
  457. void videoLoadingFinished (const URL& url, Result result)
  458. {
  459. ignoreUnused (url);
  460. if (result.wasOk())
  461. {
  462. resized(); // update to reflect the video's aspect ratio
  463. setTransportControlsEnabled (true);
  464. currentPositionLabel.setText (getPositionString (0.0, curVideoComp->getVideoDuration()), sendNotification);
  465. positionSlider.setValue (0.0, dontSendNotification);
  466. playSpeedComboBox.setSelectedId (100, dontSendNotification);
  467. }
  468. else
  469. {
  470. AlertWindow::showMessageBoxAsync (AlertWindow::WarningIcon,
  471. "Couldn't load the file!",
  472. result.getErrorMessage());
  473. }
  474. }
  475. static String getPositionString (double playPositionSeconds, double durationSeconds)
  476. {
  477. auto positionMs = static_cast<int> (1000 * playPositionSeconds);
  478. int posMinutes = positionMs / 60000;
  479. int posSeconds = (positionMs % 60000) / 1000;
  480. int posMillis = positionMs % 1000;
  481. auto totalMs = static_cast<int> (1000 * durationSeconds);
  482. int totMinutes = totalMs / 60000;
  483. int totSeconds = (totalMs % 60000) / 1000;
  484. int totMillis = totalMs % 1000;
  485. return String::formatted ("%02d:%02d:%03d / %02d:%02d:%03d",
  486. posMinutes, posSeconds, posMillis,
  487. totMinutes, totSeconds, totMillis);
  488. }
  489. void updatePositionSliderAndLabel()
  490. {
  491. auto position = curVideoComp->getPlayPosition();
  492. auto duration = curVideoComp->getVideoDuration();
  493. currentPositionLabel.setText (getPositionString (position, duration), sendNotification);
  494. if (! positionSliderDragging)
  495. positionSlider.setValue (duration != 0 ? (position / duration) : 0.0, dontSendNotification);
  496. }
  497. void seekVideoToStart()
  498. {
  499. seekVideoToNormalisedPosition (0.0);
  500. }
  501. void seekVideoToNormalisedPosition (double normalisedPos)
  502. {
  503. normalisedPos = jlimit (0.0, 1.0, normalisedPos);
  504. auto duration = curVideoComp->getVideoDuration();
  505. auto newPos = jlimit (0.0, duration, duration * normalisedPos);
  506. curVideoComp->setPlayPosition (newPos);
  507. currentPositionLabel.setText (getPositionString (newPos, curVideoComp->getVideoDuration()), sendNotification);
  508. positionSlider.setValue (normalisedPos, dontSendNotification);
  509. }
  510. void playVideo()
  511. {
  512. curVideoComp->play();
  513. }
  514. void processPlaybackStarted()
  515. {
  516. playButton.setVisible (false);
  517. pauseButton.setVisible (true);
  518. startTimer (20);
  519. }
  520. void pauseVideo()
  521. {
  522. curVideoComp->stop();
  523. }
  524. void processPlaybackPaused()
  525. {
  526. // On seeking to a new pos, the playback may be temporarily paused.
  527. if (positionSliderDragging)
  528. return;
  529. pauseButton.setVisible (false);
  530. playButton.setVisible (true);
  531. }
  532. void errorOccurred (const String& errorMessage)
  533. {
  534. AlertWindow::showMessageBoxAsync (AlertWindow::InfoIcon,
  535. "An error has occurred",
  536. errorMessage + ", video will be unloaded.");
  537. unloadVideoFile();
  538. }
  539. void unloadVideoFile()
  540. {
  541. curVideoComp->closeVideo();
  542. setTransportControlsEnabled (false);
  543. stopTimer();
  544. pauseButton.setVisible (false);
  545. playButton.setVisible (true);
  546. currentPositionLabel.setText ("-:- / -:-", sendNotification);
  547. positionSlider.setValue (0.0, dontSendNotification);
  548. }
  549. void timerCallback() override
  550. {
  551. updatePositionSliderAndLabel();
  552. }
  553. };
  554. #elif JUCE_LINUX
  555. #error "This demo is not supported on Linux!"
  556. #endif