OpenShot Library | libopenshot  0.6.0
Clip.cpp
Go to the documentation of this file.
1 
9 // Copyright (c) 2008-2019 OpenShot Studios, LLC
10 //
11 // SPDX-License-Identifier: LGPL-3.0-or-later
12 
13 #include "Clip.h"
14 
15 #include "AudioResampler.h"
16 #include "Exceptions.h"
17 #include "FFmpegReader.h"
18 #include "FrameMapper.h"
19 #include "QtImageReader.h"
20 #include "ChunkReader.h"
21 #include "DummyReader.h"
22 #include "Timeline.h"
23 #include "ZmqLogger.h"
24 
25 #include <algorithm>
26 #include <cmath>
27 #include <sstream>
28 #include <QPainter>
29 
30 #ifdef USE_IMAGEMAGICK
31  #include "MagickUtilities.h"
32  #include "ImageReader.h"
33  #include "TextReader.h"
34 #endif
35 
36 #include <Qt>
37 
38 using namespace openshot;
39 
40 namespace {
41  struct CompositeChoice { const char* name; CompositeType value; };
42  const CompositeChoice composite_choices[] = {
43  {"Normal", COMPOSITE_SOURCE_OVER},
44 
45  // Darken group
46  {"Darken", COMPOSITE_DARKEN},
47  {"Multiply", COMPOSITE_MULTIPLY},
48  {"Color Burn", COMPOSITE_COLOR_BURN},
49 
50  // Lighten group
51  {"Lighten", COMPOSITE_LIGHTEN},
52  {"Screen", COMPOSITE_SCREEN},
53  {"Color Dodge", COMPOSITE_COLOR_DODGE},
54  {"Add", COMPOSITE_PLUS},
55 
56  // Contrast group
57  {"Overlay", COMPOSITE_OVERLAY},
58  {"Soft Light", COMPOSITE_SOFT_LIGHT},
59  {"Hard Light", COMPOSITE_HARD_LIGHT},
60 
61  // Compare
62  {"Difference", COMPOSITE_DIFFERENCE},
63  {"Exclusion", COMPOSITE_EXCLUSION},
64  };
65  const int composite_choices_count = sizeof(composite_choices)/sizeof(CompositeChoice);
66 }
67 
68 // Init default settings for a clip
70 {
71  // Init clip settings
72  Position(0.0);
73  Layer(0);
74  Start(0.0);
75  ClipBase::End(0.0);
77  scale = SCALE_FIT;
82  waveform = false;
84  parentObjectId = "";
85 
86  // Init scale curves
87  scale_x = Keyframe(1.0);
88  scale_y = Keyframe(1.0);
89 
90  // Init location curves
91  location_x = Keyframe(0.0);
92  location_y = Keyframe(0.0);
93 
94  // Init alpha
95  alpha = Keyframe(1.0);
96 
97  // Init time & volume
98  time = Keyframe(1.0);
99  volume = Keyframe(1.0);
100 
101  // Init audio waveform color
102  wave_color = Color((unsigned char)0, (unsigned char)123, (unsigned char)255, (unsigned char)255);
103 
104  // Init shear and perspective curves
105  shear_x = Keyframe(0.0);
106  shear_y = Keyframe(0.0);
107  origin_x = Keyframe(0.5);
108  origin_y = Keyframe(0.5);
109  perspective_c1_x = Keyframe(-1.0);
110  perspective_c1_y = Keyframe(-1.0);
111  perspective_c2_x = Keyframe(-1.0);
112  perspective_c2_y = Keyframe(-1.0);
113  perspective_c3_x = Keyframe(-1.0);
114  perspective_c3_y = Keyframe(-1.0);
115  perspective_c4_x = Keyframe(-1.0);
116  perspective_c4_y = Keyframe(-1.0);
117 
118  // Init audio channel filter and mappings
119  channel_filter = Keyframe(-1.0);
120  channel_mapping = Keyframe(-1.0);
121 
122  // Init audio and video overrides
123  has_audio = Keyframe(-1.0);
124  has_video = Keyframe(-1.0);
125 
126  // Initialize the attached object and attached clip as null pointers
127  parentTrackedObject = nullptr;
128  parentClipObject = NULL;
129 
130  // Init reader info struct
132 }
133 
134 // Init reader info details
136  if (reader) {
137  // Init rotation (if any)
139 
140  // Initialize info struct
141  info = reader->info;
142 
143  // Init cache
145  }
146 }
147 
149  // Only apply metadata rotation if clip rotation has not been explicitly set.
150  if (rotation.GetCount() > 0 || !reader)
151  return;
152 
153  const auto rotate_meta = reader->info.metadata.find("rotate");
154  if (rotate_meta == reader->info.metadata.end()) {
155  // Ensure rotation keyframes always start with a default 0° point.
156  rotation = Keyframe(0.0f);
157  return;
158  }
159 
160  float rotate_angle = 0.0f;
161  try {
162  rotate_angle = strtof(rotate_meta->second.c_str(), nullptr);
163  } catch (const std::exception& e) {
164  return; // ignore invalid metadata
165  }
166 
167  rotation = Keyframe(rotate_angle);
168 
169  // Do not overwrite user-authored scale curves.
170  auto has_default_scale = [](const Keyframe& kf) {
171  return kf.GetCount() == 1 && fabs(kf.GetPoint(0).co.Y - 1.0) < 0.00001;
172  };
173  if (!has_default_scale(scale_x) || !has_default_scale(scale_y))
174  return;
175 
176  // No need to adjust scaling when the metadata rotation is effectively zero.
177  if (fabs(rotate_angle) < 0.0001f)
178  return;
179 
180  float w = static_cast<float>(reader->info.width);
181  float h = static_cast<float>(reader->info.height);
182  if (w <= 0.0f || h <= 0.0f)
183  return;
184 
185  float rad = rotate_angle * static_cast<float>(M_PI) / 180.0f;
186 
187  float new_width = fabs(w * cos(rad)) + fabs(h * sin(rad));
188  float new_height = fabs(w * sin(rad)) + fabs(h * cos(rad));
189  if (new_width <= 0.0f || new_height <= 0.0f)
190  return;
191 
192  float uniform_scale = std::min(w / new_width, h / new_height);
193 
194  scale_x = Keyframe(uniform_scale);
195  scale_y = Keyframe(uniform_scale);
196 }
197 
198 // Default Constructor for a clip
199 Clip::Clip() : resampler(NULL), reader(NULL), allocated_reader(NULL), is_open(false)
200 {
201  // Init all default settings
202  init_settings();
203 }
204 
205 // Constructor with reader
206 Clip::Clip(ReaderBase* new_reader) : resampler(NULL), reader(new_reader), allocated_reader(NULL), is_open(false)
207 {
208  // Init all default settings
209  init_settings();
210 
211  // Open and Close the reader (to set the duration of the clip)
212  Open();
213  Close();
214 
215  // Update duration and set parent
216  if (reader) {
217  ClipBase::End(reader->info.duration);
218  reader->ParentClip(this);
219  // Init reader info struct
221  }
222 }
223 
224 // Constructor with filepath
225 Clip::Clip(std::string path) : resampler(NULL), reader(NULL), allocated_reader(NULL), is_open(false)
226 {
227  // Init all default settings
228  init_settings();
229 
230  // Get file extension (and convert to lower case)
231  std::string ext = get_file_extension(path);
232  std::transform(ext.begin(), ext.end(), ext.begin(), ::tolower);
233 
234  // Determine if common video formats (or image sequences)
235  if (ext=="avi" || ext=="mov" || ext=="mkv" || ext=="mpg" || ext=="mpeg" || ext=="mp3" || ext=="mp4" || ext=="mts" ||
236  ext=="ogg" || ext=="wav" || ext=="wmv" || ext=="webm" || ext=="vob" || ext=="gif" || path.find("%") != std::string::npos)
237  {
238  try
239  {
240  // Open common video format
241  reader = new openshot::FFmpegReader(path);
242 
243  } catch(...) { }
244  }
245  if (ext=="osp")
246  {
247  try
248  {
249  // Open common video format
250  reader = new openshot::Timeline(path, true);
251 
252  } catch(...) { }
253  }
254 
255 
256  // If no video found, try each reader
257  if (!reader)
258  {
259  try
260  {
261  // Try an image reader
262  reader = new openshot::QtImageReader(path);
263 
264  } catch(...) {
265  try
266  {
267  // Try a video reader
268  reader = new openshot::FFmpegReader(path);
269 
270  } catch(...) { }
271  }
272  }
273 
274  // Update duration and set parent
275  if (reader) {
276  ClipBase::End(reader->info.duration);
277  reader->ParentClip(this);
278  allocated_reader = reader;
279  // Init reader info struct
281  }
282 }
283 
284 // Destructor
286 {
287  // Delete the reader if clip created it
288  if (allocated_reader) {
289  delete allocated_reader;
290  allocated_reader = NULL;
291  reader = NULL;
292  }
293 
294  // Close the resampler
295  if (resampler) {
296  delete resampler;
297  resampler = NULL;
298  }
299 
300  // Close clip
301  Close();
302 }
303 
304 // Attach clip to bounding box
305 void Clip::AttachToObject(std::string object_id)
306 {
307  // Search for the tracked object on the timeline
308  Timeline* parentTimeline = static_cast<Timeline *>(ParentTimeline());
309 
310  if (parentTimeline) {
311  // Create a smart pointer to the tracked object from the timeline
312  std::shared_ptr<openshot::TrackedObjectBase> trackedObject = parentTimeline->GetTrackedObject(object_id);
313  Clip* clipObject = parentTimeline->GetClip(object_id);
314 
315  // Check for valid tracked object
316  if (trackedObject){
317  SetAttachedObject(trackedObject);
318  parentClipObject = NULL;
319  }
320  else if (clipObject) {
321  SetAttachedClip(clipObject);
322  parentTrackedObject = nullptr;
323  }
324  }
325 }
326 
327 // Set the pointer to the trackedObject this clip is attached to
328 void Clip::SetAttachedObject(std::shared_ptr<openshot::TrackedObjectBase> trackedObject){
329  parentTrackedObject = trackedObject;
330 }
331 
332 // Set the pointer to the clip this clip is attached to
333 void Clip::SetAttachedClip(Clip* clipObject){
334  parentClipObject = clipObject;
335 }
336 
338 void Clip::Reader(ReaderBase* new_reader)
339 {
340  // Delete previously allocated reader (if not related to new reader)
341  // FrameMappers that point to the same allocated reader are ignored
342  bool is_same_reader = false;
343  if (new_reader && allocated_reader) {
344  if (new_reader->Name() == "FrameMapper") {
345  // Determine if FrameMapper is pointing at the same allocated ready
346  FrameMapper* clip_mapped_reader = static_cast<FrameMapper*>(new_reader);
347  if (allocated_reader == clip_mapped_reader->Reader()) {
348  is_same_reader = true;
349  }
350  }
351  }
352  // Clear existing allocated reader (if different)
353  if (allocated_reader && !is_same_reader) {
354  reader->Close();
355  allocated_reader->Close();
356  delete allocated_reader;
357  reader = NULL;
358  allocated_reader = NULL;
359  }
360 
361  // set reader pointer
362  reader = new_reader;
363 
364  // set parent
365  if (reader) {
366  reader->ParentClip(this);
367 
368  // Init reader info struct
370  }
371 }
372 
375 {
376  if (reader)
377  return reader;
378  else
379  // Throw error if reader not initialized
380  throw ReaderClosed("No Reader has been initialized for this Clip. Call Reader(*reader) before calling this method.");
381 }
382 
383 // Open the internal reader
385 {
386  if (reader)
387  {
388  // Open the reader
389  reader->Open();
390  is_open = true;
391 
392  // Copy Reader info to Clip
393  info = reader->info;
394 
395  // Set some clip properties from the file reader
396  if (end == 0.0)
397  ClipBase::End(reader->info.duration);
398  }
399  else
400  // Throw error if reader not initialized
401  throw ReaderClosed("No Reader has been initialized for this Clip. Call Reader(*reader) before calling this method.");
402 }
403 
404 // Close the internal reader
406 {
407  if (is_open && reader) {
408  ZmqLogger::Instance()->AppendDebugMethod("Clip::Close");
409 
410  // Close the reader
411  reader->Close();
412  }
413 
414  // Clear cache
415  final_cache.Clear();
416  is_open = false;
417 }
418 
419 // Get end position of clip (trim end of video), which can be affected by the time curve.
420 float Clip::End() const
421 {
422  // if a time curve is present, use its length
423  if (time.GetCount() > 1)
424  {
425  // Determine the FPS fo this clip
426  float fps = 24.0;
427  if (reader)
428  // file reader
429  fps = reader->info.fps.ToFloat();
430  else
431  // Throw error if reader not initialized
432  throw ReaderClosed("No Reader has been initialized for this Clip. Call Reader(*reader) before calling this method.");
433 
434  return float(time.GetLength()) / fps;
435  }
436  else
437  // just use the duration (as detected by the reader)
438  return end;
439 }
440 
441 // Override End() position
442 void Clip::End(float value) {
443  ClipBase::End(value);
444 }
445 
446 // Set associated Timeline pointer
448  timeline = new_timeline;
449 
450  // Clear cache (it might have changed)
451  final_cache.Clear();
452 }
453 
454 // Create an openshot::Frame object for a specific frame number of this reader.
455 std::shared_ptr<Frame> Clip::GetFrame(int64_t clip_frame_number)
456 {
457  // Call override of GetFrame
458  return GetFrame(NULL, clip_frame_number, NULL);
459 }
460 
461 // Create an openshot::Frame object for a specific frame number of this reader.
462 // NOTE: background_frame is ignored in this method (this method is only used by Effect classes)
463 std::shared_ptr<Frame> Clip::GetFrame(std::shared_ptr<openshot::Frame> background_frame, int64_t clip_frame_number)
464 {
465  // Call override of GetFrame
466  return GetFrame(background_frame, clip_frame_number, NULL);
467 }
468 
469 // Use an existing openshot::Frame object and draw this Clip's frame onto it
470 std::shared_ptr<Frame> Clip::GetFrame(std::shared_ptr<openshot::Frame> background_frame, int64_t clip_frame_number, openshot::TimelineInfoStruct* options)
471 {
472  // Check for open reader (or throw exception)
473  if (!is_open)
474  throw ReaderClosed("The Clip is closed. Call Open() before calling this method.");
475 
476  if (reader)
477  {
478  // Get frame object
479  std::shared_ptr<Frame> frame = NULL;
480 
481  // Check cache
482  frame = final_cache.GetFrame(clip_frame_number);
483  if (!frame) {
484  // Generate clip frame
485  frame = GetOrCreateFrame(clip_frame_number);
486 
487  // Get frame size and frame #
488  int64_t timeline_frame_number = clip_frame_number;
489  QSize timeline_size(frame->GetWidth(), frame->GetHeight());
490  if (background_frame) {
491  // If a background frame is provided, use it instead
492  timeline_frame_number = background_frame->number;
493  timeline_size.setWidth(background_frame->GetWidth());
494  timeline_size.setHeight(background_frame->GetHeight());
495  }
496 
497  // Get time mapped frame object (used to increase speed, change direction, etc...)
498  apply_timemapping(frame);
499 
500  // Apply waveform image (if any)
501  apply_waveform(frame, timeline_size);
502 
503  // Apply effects BEFORE applying keyframes (if any local or global effects are used)
504  apply_effects(frame, timeline_frame_number, options, true);
505 
506  // Apply keyframe / transforms to current clip image
507  apply_keyframes(frame, timeline_size);
508 
509  // Apply effects AFTER applying keyframes (if any local or global effects are used)
510  apply_effects(frame, timeline_frame_number, options, false);
511 
512  // Add final frame to cache (before flattening into background_frame)
513  final_cache.Add(frame);
514  }
515 
516  const bool has_external_background = (background_frame != nullptr);
517 
518  // Timeline path.
519  if (options) {
520  if (!background_frame) {
521  // Create a transparent background if missing.
522  background_frame = std::make_shared<Frame>(frame->number, frame->GetWidth(), frame->GetHeight(),
523  "#00000000", frame->GetAudioSamplesCount(),
524  frame->GetAudioChannelsCount());
525  }
526  if (options->force_safe_composite) {
527  // Edit mode: composite without mutating cached frame pixels.
528  apply_background(frame, background_frame, false);
529  return frame;
530  }
531 
532  // Playback mode: keep original fast path.
533  apply_background(frame, background_frame, true);
534  return frame;
535  }
536 
537  // No background: return the frame directly.
538  if (!has_external_background) {
539  return frame;
540  }
541 
542  // External background: composite on a copy.
543  auto output = std::make_shared<Frame>(*frame.get());
544  apply_background(output, background_frame, true);
545  return output;
546  }
547  else
548  // Throw error if reader not initialized
549  throw ReaderClosed("No Reader has been initialized for this Clip. Call Reader(*reader) before calling this method.");
550 }
551 
552 // Look up an effect by ID
553 openshot::EffectBase* Clip::GetEffect(const std::string& id)
554 {
555  // Find the matching effect (if any)
556  for (const auto& effect : effects) {
557  if (effect->Id() == id) {
558  return effect;
559  }
560  }
561  return nullptr;
562 }
563 
564 // Return the associated ParentClip (if any)
566  if (!parentObjectId.empty() && (!parentClipObject && !parentTrackedObject)) {
567  // Attach parent clip OR object to this clip
568  AttachToObject(parentObjectId);
569  }
570  return parentClipObject;
571 }
572 
573 // Return the associated Parent Tracked Object (if any)
574 std::shared_ptr<openshot::TrackedObjectBase> Clip::GetParentTrackedObject() {
575  if (!parentObjectId.empty() && (!parentClipObject && !parentTrackedObject)) {
576  // Attach parent clip OR object to this clip
577  AttachToObject(parentObjectId);
578  }
579  return parentTrackedObject;
580 }
581 
582 // Get file extension
583 std::string Clip::get_file_extension(std::string path)
584 {
585  // Return last part of path safely (handle filenames without a dot)
586  const auto dot_pos = path.find_last_of('.');
587  if (dot_pos == std::string::npos || dot_pos + 1 >= path.size()) {
588  return std::string();
589  }
590 
591  return path.substr(dot_pos + 1);
592 }
593 
594 // Adjust the audio and image of a time mapped frame
595 void Clip::apply_timemapping(std::shared_ptr<Frame> frame)
596 {
597  // Check for valid reader
598  if (!reader)
599  // Throw error if reader not initialized
600  throw ReaderClosed("No Reader has been initialized for this Clip. Call Reader(*reader) before calling this method.");
601 
602  // Check for a valid time map curve
603  if (time.GetLength() > 1)
604  {
605  const std::lock_guard<std::recursive_mutex> lock(getFrameMutex);
606 
607  int64_t clip_frame_number = frame->number;
608  int64_t new_frame_number = adjust_frame_number_minimum(time.GetLong(clip_frame_number));
609 
610  // create buffer
611  juce::AudioBuffer<float> *source_samples = nullptr;
612 
613  // Get delta (difference from this frame to the next time mapped frame: Y value)
614  double delta = time.GetDelta(clip_frame_number + 1);
615  const bool prev_is_increasing = time.IsIncreasing(clip_frame_number);
616  const bool is_increasing = time.IsIncreasing(clip_frame_number + 1);
617 
618  // Determine length of source audio (in samples)
619  // A delta of 1.0 == normal expected samples
620  // A delta of 0.5 == 50% of normal expected samples
621  // A delta of 2.0 == 200% of normal expected samples
622  int target_sample_count = Frame::GetSamplesPerFrame(adjust_timeline_framenumber(clip_frame_number), Reader()->info.fps,
624  Reader()->info.channels);
625  int source_sample_count = round(target_sample_count * fabs(delta));
626 
627  // Determine starting audio location
628  AudioLocation location;
629  if (previous_location.frame == 0 || abs(new_frame_number - previous_location.frame) > 2 || prev_is_increasing != is_increasing) {
630  // No previous location OR gap detected
631  location.frame = new_frame_number;
632  location.sample_start = 0;
633 
634  // Create / Reset resampler
635  // We don't want to interpolate between unrelated audio data
636  if (resampler) {
637  delete resampler;
638  resampler = nullptr;
639  }
640  // Init resampler with # channels from Reader (should match the timeline)
641  resampler = new AudioResampler(Reader()->info.channels);
642 
643  // Allocate buffer of silence to initialize some data inside the resampler
644  // To prevent it from becoming input limited
645  juce::AudioBuffer<float> init_samples(Reader()->info.channels, 64);
646  init_samples.clear();
647  resampler->SetBuffer(&init_samples, 1.0);
648  resampler->GetResampledBuffer();
649 
650  } else {
651  // Use previous location
652  location = previous_location;
653  }
654 
655  if (source_sample_count <= 0) {
656  // Add silence and bail (we don't need any samples)
657  frame->AddAudioSilence(target_sample_count);
658  return;
659  }
660 
661  // Allocate a new sample buffer for these delta frames
662  source_samples = new juce::AudioBuffer<float>(Reader()->info.channels, source_sample_count);
663  source_samples->clear();
664 
665  // Determine ending audio location
666  int remaining_samples = source_sample_count;
667  int source_pos = 0;
668  while (remaining_samples > 0) {
669  std::shared_ptr<Frame> source_frame = GetOrCreateFrame(location.frame, false);
670  int frame_sample_count = source_frame->GetAudioSamplesCount() - location.sample_start;
671 
672  // Inform FrameMapper of the direction for THIS mapper frame
673  if (auto *fm = dynamic_cast<FrameMapper*>(reader)) {
674  fm->SetDirectionHint(is_increasing);
675  }
676  source_frame->SetAudioDirection(is_increasing);
677 
678  if (frame_sample_count == 0) {
679  // No samples found in source frame (fill with silence)
680  if (is_increasing) {
681  location.frame++;
682  } else {
683  location.frame--;
684  }
685  location.sample_start = 0;
686  break;
687  }
688  if (remaining_samples - frame_sample_count >= 0) {
689  // Use all frame samples & increment location
690  for (int channel = 0; channel < source_frame->GetAudioChannelsCount(); channel++) {
691  source_samples->addFrom(channel, source_pos, source_frame->GetAudioSamples(channel) + location.sample_start, frame_sample_count, 1.0f);
692  }
693  if (is_increasing) {
694  location.frame++;
695  } else {
696  location.frame--;
697  }
698  location.sample_start = 0;
699  remaining_samples -= frame_sample_count;
700  source_pos += frame_sample_count;
701 
702  } else {
703  // Use just what is needed (and reverse samples)
704  for (int channel = 0; channel < source_frame->GetAudioChannelsCount(); channel++) {
705  source_samples->addFrom(channel, source_pos, source_frame->GetAudioSamples(channel) + location.sample_start, remaining_samples, 1.0f);
706  }
707  location.sample_start += remaining_samples;
708  remaining_samples = 0;
709  source_pos += remaining_samples;
710  }
711 
712  }
713 
714  // Resize audio for current frame object + fill with silence
715  // We are fixing to clobber this with actual audio data (possibly resampled)
716  frame->AddAudioSilence(target_sample_count);
717 
718  if (source_sample_count != target_sample_count) {
719  // Resample audio (if needed)
720  double resample_ratio = double(source_sample_count) / double(target_sample_count);
721  resampler->SetBuffer(source_samples, resample_ratio);
722 
723  // Resample the data
724  juce::AudioBuffer<float> *resampled_buffer = resampler->GetResampledBuffer();
725 
726  // Fill the frame with resampled data
727  for (int channel = 0; channel < Reader()->info.channels; channel++) {
728  // Add new (slower) samples, to the frame object
729  frame->AddAudio(true, channel, 0, resampled_buffer->getReadPointer(channel, 0), std::min(resampled_buffer->getNumSamples(), target_sample_count), 1.0f);
730  }
731  } else {
732  // Fill the frame
733  for (int channel = 0; channel < Reader()->info.channels; channel++) {
734  // Add new (slower) samples, to the frame object
735  frame->AddAudio(true, channel, 0, source_samples->getReadPointer(channel, 0), target_sample_count, 1.0f);
736  }
737  }
738 
739  // Clean up
740  delete source_samples;
741 
742  // Set previous location
743  previous_location = location;
744  }
745 }
746 
747 // Adjust frame number minimum value
748 int64_t Clip::adjust_frame_number_minimum(int64_t frame_number)
749 {
750  // Never return a frame number 0 or below
751  if (frame_number < 1)
752  return 1;
753  else
754  return frame_number;
755 
756 }
757 
758 // Get or generate a blank frame
759 std::shared_ptr<Frame> Clip::GetOrCreateFrame(int64_t number, bool enable_time)
760 {
761  try {
762  // Init to requested frame
763  int64_t clip_frame_number = adjust_frame_number_minimum(number);
764  bool is_increasing = true;
765 
766  // Adjust for time-mapping (if any)
767  if (enable_time && time.GetLength() > 1) {
768  is_increasing = time.IsIncreasing(clip_frame_number + 1);
769  const int64_t time_frame_number = adjust_frame_number_minimum(time.GetLong(clip_frame_number));
770  if (auto *fm = dynamic_cast<FrameMapper*>(reader)) {
771  // Inform FrameMapper which direction this mapper frame is being requested
772  fm->SetDirectionHint(is_increasing);
773  }
774  clip_frame_number = time_frame_number;
775  }
776 
777  // Debug output
779  "Clip::GetOrCreateFrame (from reader)",
780  "number", number, "clip_frame_number", clip_frame_number);
781 
782  // Attempt to get a frame (but this could fail if a reader has just been closed)
783  auto reader_frame = reader->GetFrame(clip_frame_number);
784  if (reader_frame) {
785  // Override frame # (due to time-mapping might change it)
786  reader_frame->number = number;
787  reader_frame->SetAudioDirection(is_increasing);
788 
789  // Return real frame
790  // Create a new copy of reader frame
791  // This allows a clip to modify the pixels and audio of this frame without
792  // changing the underlying reader's frame data
793  auto reader_copy = std::make_shared<Frame>(*reader_frame.get());
794  if (has_video.GetInt(number) == 0) {
795  // No video, so add transparent pixels
796  reader_copy->AddColor(QColor(Qt::transparent));
797  }
798  if (has_audio.GetInt(number) == 0 || number > reader->info.video_length) {
799  // No audio, so include silence (also, mute audio if past end of reader)
800  reader_copy->AddAudioSilence(reader_copy->GetAudioSamplesCount());
801  }
802  return reader_copy;
803  }
804 
805  } catch (const ReaderClosed & e) {
806  // ...
807  } catch (const OutOfBoundsFrame & e) {
808  // ...
809  }
810 
811  // Estimate # of samples needed for this frame
812  int estimated_samples_in_frame = Frame::GetSamplesPerFrame(number, reader->info.fps, reader->info.sample_rate, reader->info.channels);
813 
814  // Debug output
816  "Clip::GetOrCreateFrame (create blank)",
817  "number", number,
818  "estimated_samples_in_frame", estimated_samples_in_frame);
819 
820  // Create blank frame
821  auto new_frame = std::make_shared<Frame>(
822  number, reader->info.width, reader->info.height,
823  "#000000", estimated_samples_in_frame, reader->info.channels);
824  new_frame->SampleRate(reader->info.sample_rate);
825  new_frame->ChannelsLayout(reader->info.channel_layout);
826  new_frame->AddAudioSilence(estimated_samples_in_frame);
827  return new_frame;
828 }
829 
830 // Generate JSON string of this object
831 std::string Clip::Json() const {
832 
833  // Return formatted string
834  return JsonValue().toStyledString();
835 }
836 
837 // Get all properties for a specific frame
838 std::string Clip::PropertiesJSON(int64_t requested_frame) const {
839 
840  // Generate JSON properties list
841  Json::Value root;
842  root["id"] = add_property_json("ID", 0.0, "string", Id(), NULL, -1, -1, true, requested_frame);
843  root["position"] = add_property_json("Position", Position(), "float", "", NULL, 0, 30 * 60 * 60 * 48, false, requested_frame);
844  root["layer"] = add_property_json("Track", Layer(), "int", "", NULL, 0, 20, false, requested_frame);
845  root["start"] = add_property_json("Start", Start(), "float", "", NULL, 0, 30 * 60 * 60 * 48, false, requested_frame);
846  root["end"] = add_property_json("End", End(), "float", "", NULL, 0, 30 * 60 * 60 * 48, false, requested_frame);
847  root["duration"] = add_property_json("Duration", Duration(), "float", "", NULL, 0, 30 * 60 * 60 * 48, true, requested_frame);
848  root["gravity"] = add_property_json("Gravity", gravity, "int", "", NULL, 0, 8, false, requested_frame);
849  root["scale"] = add_property_json("Scale", scale, "int", "", NULL, 0, 3, false, requested_frame);
850  root["display"] = add_property_json("Frame Number", display, "int", "", NULL, 0, 3, false, requested_frame);
851  root["mixing"] = add_property_json("Volume Mixing", mixing, "int", "", NULL, 0, 2, false, requested_frame);
852  root["composite"] = add_property_json("Composite", composite, "int", "", NULL, 0, composite_choices_count - 1, false, requested_frame);
853  root["waveform"] = add_property_json("Waveform", waveform, "int", "", NULL, 0, 1, false, requested_frame);
854  root["parentObjectId"] = add_property_json("Parent", 0.0, "string", parentObjectId, NULL, -1, -1, false, requested_frame);
855 
856  // Add gravity choices (dropdown style)
857  root["gravity"]["choices"].append(add_property_choice_json("Top Left", GRAVITY_TOP_LEFT, gravity));
858  root["gravity"]["choices"].append(add_property_choice_json("Top Center", GRAVITY_TOP, gravity));
859  root["gravity"]["choices"].append(add_property_choice_json("Top Right", GRAVITY_TOP_RIGHT, gravity));
860  root["gravity"]["choices"].append(add_property_choice_json("Left", GRAVITY_LEFT, gravity));
861  root["gravity"]["choices"].append(add_property_choice_json("Center", GRAVITY_CENTER, gravity));
862  root["gravity"]["choices"].append(add_property_choice_json("Right", GRAVITY_RIGHT, gravity));
863  root["gravity"]["choices"].append(add_property_choice_json("Bottom Left", GRAVITY_BOTTOM_LEFT, gravity));
864  root["gravity"]["choices"].append(add_property_choice_json("Bottom Center", GRAVITY_BOTTOM, gravity));
865  root["gravity"]["choices"].append(add_property_choice_json("Bottom Right", GRAVITY_BOTTOM_RIGHT, gravity));
866 
867  // Add scale choices (dropdown style)
868  root["scale"]["choices"].append(add_property_choice_json("Crop", SCALE_CROP, scale));
869  root["scale"]["choices"].append(add_property_choice_json("Best Fit", SCALE_FIT, scale));
870  root["scale"]["choices"].append(add_property_choice_json("Stretch", SCALE_STRETCH, scale));
871  root["scale"]["choices"].append(add_property_choice_json("None", SCALE_NONE, scale));
872 
873  // Add frame number display choices (dropdown style)
874  root["display"]["choices"].append(add_property_choice_json("None", FRAME_DISPLAY_NONE, display));
875  root["display"]["choices"].append(add_property_choice_json("Clip", FRAME_DISPLAY_CLIP, display));
876  root["display"]["choices"].append(add_property_choice_json("Timeline", FRAME_DISPLAY_TIMELINE, display));
877  root["display"]["choices"].append(add_property_choice_json("Both", FRAME_DISPLAY_BOTH, display));
878 
879  // Add volume mixing choices (dropdown style)
880  root["mixing"]["choices"].append(add_property_choice_json("None", VOLUME_MIX_NONE, mixing));
881  root["mixing"]["choices"].append(add_property_choice_json("Average", VOLUME_MIX_AVERAGE, mixing));
882  root["mixing"]["choices"].append(add_property_choice_json("Reduce", VOLUME_MIX_REDUCE, mixing));
883 
884  // Add composite choices (dropdown style)
885  for (int i = 0; i < composite_choices_count; ++i)
886  root["composite"]["choices"].append(add_property_choice_json(composite_choices[i].name, composite_choices[i].value, composite));
887 
888  // Add waveform choices (dropdown style)
889  root["waveform"]["choices"].append(add_property_choice_json("Yes", true, waveform));
890  root["waveform"]["choices"].append(add_property_choice_json("No", false, waveform));
891 
892  // Add the parentClipObject's properties
893  if (parentClipObject)
894  {
895  // Convert Clip's frame position to Timeline's frame position
896  long clip_start_position = round(Position() * info.fps.ToDouble()) + 1;
897  long clip_start_frame = (Start() * info.fps.ToDouble()) + 1;
898  double timeline_frame_number = requested_frame + clip_start_position - clip_start_frame;
899 
900  // Correct the parent Clip Object properties by the clip's reference system
901  float parentObject_location_x = parentClipObject->location_x.GetValue(timeline_frame_number);
902  float parentObject_location_y = parentClipObject->location_y.GetValue(timeline_frame_number);
903  float parentObject_scale_x = parentClipObject->scale_x.GetValue(timeline_frame_number);
904  float parentObject_scale_y = parentClipObject->scale_y.GetValue(timeline_frame_number);
905  float parentObject_shear_x = parentClipObject->shear_x.GetValue(timeline_frame_number);
906  float parentObject_shear_y = parentClipObject->shear_y.GetValue(timeline_frame_number);
907  float parentObject_rotation = parentClipObject->rotation.GetValue(timeline_frame_number);
908 
909  // Add the parent Clip Object properties to JSON
910  root["location_x"] = add_property_json("Location X", parentObject_location_x, "float", "", &location_x, -1.0, 1.0, false, requested_frame);
911  root["location_y"] = add_property_json("Location Y", parentObject_location_y, "float", "", &location_y, -1.0, 1.0, false, requested_frame);
912  root["scale_x"] = add_property_json("Scale X", parentObject_scale_x, "float", "", &scale_x, 0.0, 1.0, false, requested_frame);
913  root["scale_y"] = add_property_json("Scale Y", parentObject_scale_y, "float", "", &scale_y, 0.0, 1.0, false, requested_frame);
914  root["rotation"] = add_property_json("Rotation", parentObject_rotation, "float", "", &rotation, -360, 360, false, requested_frame);
915  root["shear_x"] = add_property_json("Shear X", parentObject_shear_x, "float", "", &shear_x, -1.0, 1.0, false, requested_frame);
916  root["shear_y"] = add_property_json("Shear Y", parentObject_shear_y, "float", "", &shear_y, -1.0, 1.0, false, requested_frame);
917  }
918  else
919  {
920  // Add this own clip's properties to JSON
921  root["location_x"] = add_property_json("Location X", location_x.GetValue(requested_frame), "float", "", &location_x, -1.0, 1.0, false, requested_frame);
922  root["location_y"] = add_property_json("Location Y", location_y.GetValue(requested_frame), "float", "", &location_y, -1.0, 1.0, false, requested_frame);
923  root["scale_x"] = add_property_json("Scale X", scale_x.GetValue(requested_frame), "float", "", &scale_x, 0.0, 1.0, false, requested_frame);
924  root["scale_y"] = add_property_json("Scale Y", scale_y.GetValue(requested_frame), "float", "", &scale_y, 0.0, 1.0, false, requested_frame);
925  root["rotation"] = add_property_json("Rotation", rotation.GetValue(requested_frame), "float", "", &rotation, -360, 360, false, requested_frame);
926  root["shear_x"] = add_property_json("Shear X", shear_x.GetValue(requested_frame), "float", "", &shear_x, -1.0, 1.0, false, requested_frame);
927  root["shear_y"] = add_property_json("Shear Y", shear_y.GetValue(requested_frame), "float", "", &shear_y, -1.0, 1.0, false, requested_frame);
928  }
929 
930  // Keyframes
931  root["alpha"] = add_property_json("Alpha", alpha.GetValue(requested_frame), "float", "", &alpha, 0.0, 1.0, false, requested_frame);
932  root["origin_x"] = add_property_json("Origin X", origin_x.GetValue(requested_frame), "float", "", &origin_x, 0.0, 1.0, false, requested_frame);
933  root["origin_y"] = add_property_json("Origin Y", origin_y.GetValue(requested_frame), "float", "", &origin_y, 0.0, 1.0, false, requested_frame);
934  root["volume"] = add_property_json("Volume", volume.GetValue(requested_frame), "float", "", &volume, 0.0, 1.0, false, requested_frame);
935  root["time"] = add_property_json("Time", time.GetValue(requested_frame), "float", "", &time, 0.0, 30 * 60 * 60 * 48, false, requested_frame);
936  root["channel_filter"] = add_property_json("Channel Filter", channel_filter.GetValue(requested_frame), "int", "", &channel_filter, -1, 10, false, requested_frame);
937  root["channel_mapping"] = add_property_json("Channel Mapping", channel_mapping.GetValue(requested_frame), "int", "", &channel_mapping, -1, 10, false, requested_frame);
938  root["has_audio"] = add_property_json("Enable Audio", has_audio.GetValue(requested_frame), "int", "", &has_audio, -1, 1.0, false, requested_frame);
939  root["has_video"] = add_property_json("Enable Video", has_video.GetValue(requested_frame), "int", "", &has_video, -1, 1.0, false, requested_frame);
940 
941  // Add enable audio/video choices (dropdown style)
942  root["has_audio"]["choices"].append(add_property_choice_json("Auto", -1, has_audio.GetValue(requested_frame)));
943  root["has_audio"]["choices"].append(add_property_choice_json("Off", 0, has_audio.GetValue(requested_frame)));
944  root["has_audio"]["choices"].append(add_property_choice_json("On", 1, has_audio.GetValue(requested_frame)));
945  root["has_video"]["choices"].append(add_property_choice_json("Auto", -1, has_video.GetValue(requested_frame)));
946  root["has_video"]["choices"].append(add_property_choice_json("Off", 0, has_video.GetValue(requested_frame)));
947  root["has_video"]["choices"].append(add_property_choice_json("On", 1, has_video.GetValue(requested_frame)));
948 
949  root["wave_color"] = add_property_json("Wave Color", 0.0, "color", "", &wave_color.red, 0, 255, false, requested_frame);
950  root["wave_color"]["red"] = add_property_json("Red", wave_color.red.GetValue(requested_frame), "float", "", &wave_color.red, 0, 255, false, requested_frame);
951  root["wave_color"]["blue"] = add_property_json("Blue", wave_color.blue.GetValue(requested_frame), "float", "", &wave_color.blue, 0, 255, false, requested_frame);
952  root["wave_color"]["green"] = add_property_json("Green", wave_color.green.GetValue(requested_frame), "float", "", &wave_color.green, 0, 255, false, requested_frame);
953  root["wave_color"]["alpha"] = add_property_json("Alpha", wave_color.alpha.GetValue(requested_frame), "float", "", &wave_color.alpha, 0, 255, false, requested_frame);
954 
955  // Return formatted string
956  return root.toStyledString();
957 }
958 
959 // Generate Json::Value for this object
960 Json::Value Clip::JsonValue() const {
961 
962  // Create root json object
963  Json::Value root = ClipBase::JsonValue(); // get parent properties
964  root["parentObjectId"] = parentObjectId;
965  root["gravity"] = gravity;
966  root["scale"] = scale;
967  root["anchor"] = anchor;
968  root["display"] = display;
969  root["mixing"] = mixing;
970  root["composite"] = composite;
971  root["waveform"] = waveform;
972  root["scale_x"] = scale_x.JsonValue();
973  root["scale_y"] = scale_y.JsonValue();
974  root["location_x"] = location_x.JsonValue();
975  root["location_y"] = location_y.JsonValue();
976  root["alpha"] = alpha.JsonValue();
977  root["rotation"] = rotation.JsonValue();
978  root["time"] = time.JsonValue();
979  root["volume"] = volume.JsonValue();
980  root["wave_color"] = wave_color.JsonValue();
981  root["shear_x"] = shear_x.JsonValue();
982  root["shear_y"] = shear_y.JsonValue();
983  root["origin_x"] = origin_x.JsonValue();
984  root["origin_y"] = origin_y.JsonValue();
985  root["channel_filter"] = channel_filter.JsonValue();
986  root["channel_mapping"] = channel_mapping.JsonValue();
987  root["has_audio"] = has_audio.JsonValue();
988  root["has_video"] = has_video.JsonValue();
989  root["perspective_c1_x"] = perspective_c1_x.JsonValue();
990  root["perspective_c1_y"] = perspective_c1_y.JsonValue();
991  root["perspective_c2_x"] = perspective_c2_x.JsonValue();
992  root["perspective_c2_y"] = perspective_c2_y.JsonValue();
993  root["perspective_c3_x"] = perspective_c3_x.JsonValue();
994  root["perspective_c3_y"] = perspective_c3_y.JsonValue();
995  root["perspective_c4_x"] = perspective_c4_x.JsonValue();
996  root["perspective_c4_y"] = perspective_c4_y.JsonValue();
997 
998  // Add array of effects
999  root["effects"] = Json::Value(Json::arrayValue);
1000 
1001  // loop through effects
1002  for (auto existing_effect : effects)
1003  {
1004  root["effects"].append(existing_effect->JsonValue());
1005  }
1006 
1007  if (reader)
1008  root["reader"] = reader->JsonValue();
1009  else
1010  root["reader"] = Json::Value(Json::objectValue);
1011 
1012  // return JsonValue
1013  return root;
1014 }
1015 
1016 // Load JSON string into this object
1017 void Clip::SetJson(const std::string value) {
1018 
1019  // Parse JSON string into JSON objects
1020  try
1021  {
1022  const Json::Value root = openshot::stringToJson(value);
1023  // Set all values that match
1024  SetJsonValue(root);
1025  }
1026  catch (const std::exception& e)
1027  {
1028  // Error parsing JSON (or missing keys)
1029  throw InvalidJSON("JSON is invalid (missing keys or invalid data types)");
1030  }
1031 }
1032 
1033 // Load Json::Value into this object
1034 void Clip::SetJsonValue(const Json::Value root) {
1035  auto ensure_default_keyframe = [](Keyframe& kf, double default_value) {
1036  if (kf.GetCount() == 0) {
1037  kf = Keyframe(default_value);
1038  }
1039  };
1040 
1041  // Set parent data
1042  ClipBase::SetJsonValue(root);
1043 
1044  // Set data from Json (if key is found)
1045  if (!root["parentObjectId"].isNull()){
1046  parentObjectId = root["parentObjectId"].asString();
1047  if (parentObjectId.size() > 0 && parentObjectId != ""){
1048  AttachToObject(parentObjectId);
1049  } else{
1050  parentTrackedObject = nullptr;
1051  parentClipObject = NULL;
1052  }
1053  }
1054  if (!root["gravity"].isNull())
1055  gravity = (GravityType) root["gravity"].asInt();
1056  if (!root["scale"].isNull())
1057  scale = (ScaleType) root["scale"].asInt();
1058  if (!root["anchor"].isNull())
1059  anchor = (AnchorType) root["anchor"].asInt();
1060  if (!root["display"].isNull())
1061  display = (FrameDisplayType) root["display"].asInt();
1062  if (!root["mixing"].isNull())
1063  mixing = (VolumeMixType) root["mixing"].asInt();
1064  if (!root["composite"].isNull())
1065  composite = (CompositeType) root["composite"].asInt();
1066  if (!root["waveform"].isNull())
1067  waveform = root["waveform"].asBool();
1068  if (!root["scale_x"].isNull())
1069  scale_x.SetJsonValue(root["scale_x"]);
1070  if (!root["scale_y"].isNull())
1071  scale_y.SetJsonValue(root["scale_y"]);
1072  if (!root["location_x"].isNull())
1073  location_x.SetJsonValue(root["location_x"]);
1074  if (!root["location_y"].isNull())
1075  location_y.SetJsonValue(root["location_y"]);
1076  if (!root["alpha"].isNull())
1077  alpha.SetJsonValue(root["alpha"]);
1078  if (!root["rotation"].isNull())
1079  rotation.SetJsonValue(root["rotation"]);
1080  if (!root["time"].isNull())
1081  time.SetJsonValue(root["time"]);
1082  if (!root["volume"].isNull())
1083  volume.SetJsonValue(root["volume"]);
1084  if (!root["wave_color"].isNull())
1085  wave_color.SetJsonValue(root["wave_color"]);
1086  if (!root["shear_x"].isNull())
1087  shear_x.SetJsonValue(root["shear_x"]);
1088  if (!root["shear_y"].isNull())
1089  shear_y.SetJsonValue(root["shear_y"]);
1090  if (!root["origin_x"].isNull())
1091  origin_x.SetJsonValue(root["origin_x"]);
1092  if (!root["origin_y"].isNull())
1093  origin_y.SetJsonValue(root["origin_y"]);
1094  if (!root["channel_filter"].isNull())
1095  channel_filter.SetJsonValue(root["channel_filter"]);
1096  if (!root["channel_mapping"].isNull())
1097  channel_mapping.SetJsonValue(root["channel_mapping"]);
1098  if (!root["has_audio"].isNull())
1099  has_audio.SetJsonValue(root["has_audio"]);
1100  if (!root["has_video"].isNull())
1101  has_video.SetJsonValue(root["has_video"]);
1102  if (!root["perspective_c1_x"].isNull())
1103  perspective_c1_x.SetJsonValue(root["perspective_c1_x"]);
1104  if (!root["perspective_c1_y"].isNull())
1105  perspective_c1_y.SetJsonValue(root["perspective_c1_y"]);
1106  if (!root["perspective_c2_x"].isNull())
1107  perspective_c2_x.SetJsonValue(root["perspective_c2_x"]);
1108  if (!root["perspective_c2_y"].isNull())
1109  perspective_c2_y.SetJsonValue(root["perspective_c2_y"]);
1110  if (!root["perspective_c3_x"].isNull())
1111  perspective_c3_x.SetJsonValue(root["perspective_c3_x"]);
1112  if (!root["perspective_c3_y"].isNull())
1113  perspective_c3_y.SetJsonValue(root["perspective_c3_y"]);
1114  if (!root["perspective_c4_x"].isNull())
1115  perspective_c4_x.SetJsonValue(root["perspective_c4_x"]);
1116  if (!root["perspective_c4_y"].isNull())
1117  perspective_c4_y.SetJsonValue(root["perspective_c4_y"]);
1118 
1119  // Core clip transforms should never remain empty after load. Empty JSON
1120  // point arrays can be produced by editing flows that remove every keyframe.
1121  ensure_default_keyframe(scale_x, 1.0);
1122  ensure_default_keyframe(scale_y, 1.0);
1123  ensure_default_keyframe(location_x, 0.0);
1124  ensure_default_keyframe(location_y, 0.0);
1125  ensure_default_keyframe(origin_x, 0.5);
1126  ensure_default_keyframe(origin_y, 0.5);
1127  ensure_default_keyframe(rotation, 0.0);
1128  if (!root["effects"].isNull()) {
1129 
1130  // Clear existing effects
1131  effects.clear();
1132 
1133  // loop through effects
1134  for (const auto existing_effect : root["effects"]) {
1135  // Skip NULL nodes
1136  if (existing_effect.isNull()) {
1137  continue;
1138  }
1139 
1140  // Create Effect
1141  EffectBase *e = NULL;
1142  if (!existing_effect["type"].isNull()) {
1143 
1144  // Create instance of effect
1145  if ( (e = EffectInfo().CreateEffect(existing_effect["type"].asString()))) {
1146 
1147  // Load Json into Effect
1148  e->SetJsonValue(existing_effect);
1149 
1150  // Add Effect to Timeline
1151  AddEffect(e);
1152  }
1153  }
1154  }
1155  }
1156  if (!root["reader"].isNull()) // does Json contain a reader?
1157  {
1158  if (!root["reader"]["type"].isNull()) // does the reader Json contain a 'type'?
1159  {
1160  // Close previous reader (if any)
1161  bool already_open = false;
1162  if (reader)
1163  {
1164  // Track if reader was open
1165  already_open = reader->IsOpen();
1166 
1167  // Close and delete existing allocated reader (if any)
1168  Reader(NULL);
1169  }
1170 
1171  // Create new reader (and load properties)
1172  std::string type = root["reader"]["type"].asString();
1173 
1174  if (type == "FFmpegReader") {
1175 
1176  // Create new reader
1177  reader = new openshot::FFmpegReader(root["reader"]["path"].asString(), false);
1178  reader->SetJsonValue(root["reader"]);
1179 
1180  } else if (type == "QtImageReader") {
1181 
1182  // Create new reader
1183  reader = new openshot::QtImageReader(root["reader"]["path"].asString(), false);
1184  reader->SetJsonValue(root["reader"]);
1185 
1186 #ifdef USE_IMAGEMAGICK
1187  } else if (type == "ImageReader") {
1188 
1189  // Create new reader
1190  reader = new ImageReader(root["reader"]["path"].asString(), false);
1191  reader->SetJsonValue(root["reader"]);
1192 
1193  } else if (type == "TextReader") {
1194 
1195  // Create new reader
1196  reader = new TextReader();
1197  reader->SetJsonValue(root["reader"]);
1198 #endif
1199 
1200  } else if (type == "ChunkReader") {
1201 
1202  // Create new reader
1203  reader = new openshot::ChunkReader(root["reader"]["path"].asString(), (ChunkVersion) root["reader"]["chunk_version"].asInt());
1204  reader->SetJsonValue(root["reader"]);
1205 
1206  } else if (type == "DummyReader") {
1207 
1208  // Create new reader
1209  reader = new openshot::DummyReader();
1210  reader->SetJsonValue(root["reader"]);
1211 
1212  } else if (type == "Timeline") {
1213 
1214  // Create new reader (always load from file again)
1215  // This prevents FrameMappers from being loaded on accident
1216  reader = new openshot::Timeline(root["reader"]["path"].asString(), true);
1217  }
1218 
1219  // mark as managed reader and set parent
1220  if (reader) {
1221  reader->ParentClip(this);
1222  allocated_reader = reader;
1223  }
1224 
1225  // Re-Open reader (if needed)
1226  if (already_open) {
1227  reader->Open();
1228  }
1229  }
1230  }
1231 
1232  // Clear cache (it might have changed)
1233  final_cache.Clear();
1234 }
1235 
1236 // Sort effects by order
1237 void Clip::sort_effects()
1238 {
1239  // sort clips
1240  effects.sort(CompareClipEffects());
1241 }
1242 
1243 // Add an effect to the clip
1245 {
1246  // Set parent clip pointer
1247  effect->ParentClip(this);
1248 
1249  // Add effect to list
1250  effects.push_back(effect);
1251 
1252  // Sort effects
1253  sort_effects();
1254 
1255  // Get the parent timeline of this clip
1256  Timeline* parentTimeline = static_cast<Timeline *>(ParentTimeline());
1257 
1258  if (parentTimeline)
1259  effect->ParentTimeline(parentTimeline);
1260 
1261  #ifdef USE_OPENCV
1262  // Add Tracked Object to Timeline
1263  if (effect->info.has_tracked_object){
1264 
1265  // Check if this clip has a parent timeline
1266  if (parentTimeline){
1267 
1268  effect->ParentTimeline(parentTimeline);
1269 
1270  // Iterate through effect's vector of Tracked Objects
1271  for (auto const& trackedObject : effect->trackedObjects){
1272 
1273  // Cast the Tracked Object as TrackedObjectBBox
1274  std::shared_ptr<TrackedObjectBBox> trackedObjectBBox = std::static_pointer_cast<TrackedObjectBBox>(trackedObject.second);
1275 
1276  // Set the Tracked Object's parent clip to this
1277  trackedObjectBBox->ParentClip(this);
1278 
1279  // Add the Tracked Object to the timeline
1280  parentTimeline->AddTrackedObject(trackedObjectBBox);
1281  }
1282  }
1283  }
1284  #endif
1285 
1286  // Clear cache (it might have changed)
1287  final_cache.Clear();
1288 }
1289 
1290 // Remove an effect from the clip
1292 {
1293  effects.remove(effect);
1294 
1295  // Clear cache (it might have changed)
1296  final_cache.Clear();
1297 }
1298 
1299 // Apply background image to the current clip image (i.e. flatten this image onto previous layer)
1300 void Clip::apply_background(std::shared_ptr<openshot::Frame> frame,
1301  std::shared_ptr<openshot::Frame> background_frame,
1302  bool update_frame_image) {
1303  // Add background canvas
1304  std::shared_ptr<QImage> background_canvas = background_frame->GetImage();
1305  QPainter painter(background_canvas.get());
1306 
1307  // Composite a new layer onto the image
1308  painter.setCompositionMode(static_cast<QPainter::CompositionMode>(composite));
1309  painter.drawImage(0, 0, *frame->GetImage());
1310  painter.end();
1311 
1312  // Standalone clip requests update frame->image, but timeline composition
1313  // draws onto the timeline-owned background frame only.
1314  if (update_frame_image)
1315  frame->AddImage(background_canvas);
1316 }
1317 
1318 // Apply effects to the source frame (if any)
1319 void Clip::apply_effects(std::shared_ptr<Frame> frame, int64_t timeline_frame_number, TimelineInfoStruct* options, bool before_keyframes)
1320 {
1321  for (auto effect : effects)
1322  {
1323  // Apply the effect to this frame
1324  if (effect->info.apply_before_clip && before_keyframes) {
1325  effect->ProcessFrame(frame, frame->number);
1326  } else if (!effect->info.apply_before_clip && !before_keyframes) {
1327  effect->ProcessFrame(frame, frame->number);
1328  }
1329  }
1330 
1331  if (timeline != NULL && options != NULL) {
1332  // Apply global timeline effects (i.e. transitions & masks... if any)
1333  Timeline* timeline_instance = static_cast<Timeline*>(timeline);
1334  options->is_before_clip_keyframes = before_keyframes;
1335  timeline_instance->apply_effects(frame, timeline_frame_number, Layer(), options);
1336  }
1337 }
1338 
1339 // Compare 2 floating point numbers for equality
1340 bool Clip::isNear(double a, double b)
1341 {
1342  return fabs(a - b) < 0.000001;
1343 }
1344 
1345 // Apply keyframes to the source frame (if any)
1346 void Clip::apply_keyframes(std::shared_ptr<Frame> frame, QSize timeline_size) {
1347  // Skip out if video was disabled or only an audio frame (no visualisation in use)
1348  if (!frame->has_image_data) {
1349  // Skip the rest of the image processing for performance reasons
1350  return;
1351  }
1352 
1353  // Get image from clip, and create transparent background image
1354  std::shared_ptr<QImage> source_image = frame->GetImage();
1355  std::shared_ptr<QImage> background_canvas = std::make_shared<QImage>(timeline_size.width(),
1356  timeline_size.height(),
1357  QImage::Format_RGBA8888_Premultiplied);
1358  background_canvas->fill(QColor(Qt::transparent));
1359 
1360  // Get transform from clip's keyframes
1361  QTransform transform = get_transform(frame, background_canvas->width(), background_canvas->height());
1362 
1363  // Load timeline's new frame image into a QPainter
1364  QPainter painter(background_canvas.get());
1365  painter.setRenderHint(QPainter::TextAntialiasing, true);
1366  if (!transform.isIdentity()) {
1367  painter.setRenderHint(QPainter::SmoothPixmapTransform, true);
1368  }
1369  // Apply transform (translate, rotate, scale)
1370  painter.setTransform(transform);
1371 
1372  // Composite a new layer onto the image
1373  painter.setCompositionMode(static_cast<QPainter::CompositionMode>(composite));
1374 
1375  // Apply opacity via painter instead of per-pixel alpha manipulation
1376  const float alpha_value = alpha.GetValue(frame->number);
1377  if (alpha_value != 1.0f) {
1378  painter.setOpacity(alpha_value);
1379  painter.drawImage(0, 0, *source_image);
1380  // Reset so any subsequent drawing (e.g., overlays) isn’t faded
1381  painter.setOpacity(1.0);
1382  } else {
1383  painter.drawImage(0, 0, *source_image);
1384  }
1385 
1386  if (timeline) {
1387  Timeline *t = static_cast<Timeline *>(timeline);
1388 
1389  // Draw frame #'s on top of image (if needed)
1390  if (display != FRAME_DISPLAY_NONE) {
1391  std::stringstream frame_number_str;
1392  switch (display) {
1393  case (FRAME_DISPLAY_NONE):
1394  // This is only here to prevent unused-enum warnings
1395  break;
1396 
1397  case (FRAME_DISPLAY_CLIP):
1398  frame_number_str << frame->number;
1399  break;
1400 
1401  case (FRAME_DISPLAY_TIMELINE):
1402  frame_number_str << round((Position() - Start()) * t->info.fps.ToFloat()) + frame->number;
1403  break;
1404 
1405  case (FRAME_DISPLAY_BOTH):
1406  frame_number_str << round((Position() - Start()) * t->info.fps.ToFloat()) + frame->number << " (" << frame->number << ")";
1407  break;
1408  }
1409 
1410  // Draw frame number on top of image
1411  painter.setPen(QColor("#ffffff"));
1412  painter.drawText(20, 20, QString(frame_number_str.str().c_str()));
1413  }
1414  }
1415  painter.end();
1416 
1417  // Add new QImage to frame
1418  frame->AddImage(background_canvas);
1419 }
1420 
1421 // Apply apply_waveform image to the source frame (if any)
1422 void Clip::apply_waveform(std::shared_ptr<Frame> frame, QSize timeline_size) {
1423 
1424  if (!Waveform()) {
1425  // Exit if no waveform is needed
1426  return;
1427  }
1428 
1429  // Get image from clip
1430  std::shared_ptr<QImage> source_image = frame->GetImage();
1431 
1432  // Debug output
1433  ZmqLogger::Instance()->AppendDebugMethod("Clip::apply_waveform (Generate Waveform Image)",
1434  "frame->number", frame->number,
1435  "Waveform()", Waveform(),
1436  "width", timeline_size.width(),
1437  "height", timeline_size.height());
1438 
1439  // Get the color of the waveform
1440  int red = wave_color.red.GetInt(frame->number);
1441  int green = wave_color.green.GetInt(frame->number);
1442  int blue = wave_color.blue.GetInt(frame->number);
1443  int alpha = wave_color.alpha.GetInt(frame->number);
1444 
1445  // Generate Waveform Dynamically (the size of the timeline)
1446  source_image = frame->GetWaveform(timeline_size.width(), timeline_size.height(), red, green, blue, alpha);
1447  frame->AddImage(source_image);
1448 }
1449 
1450 // Scale a source size to a target size (given a specific scale-type)
1451 QSize Clip::scale_size(QSize source_size, ScaleType source_scale, int target_width, int target_height) {
1452  switch (source_scale)
1453  {
1454  case (SCALE_FIT): {
1455  source_size.scale(target_width, target_height, Qt::KeepAspectRatio);
1456  break;
1457  }
1458  case (SCALE_STRETCH): {
1459  source_size.scale(target_width, target_height, Qt::IgnoreAspectRatio);
1460  break;
1461  }
1462  case (SCALE_CROP): {
1463  source_size.scale(target_width, target_height, Qt::KeepAspectRatioByExpanding);;
1464  break;
1465  }
1466  }
1467 
1468  return source_size;
1469 }
1470 
1471 // Get QTransform from keyframes
1472 QTransform Clip::get_transform(std::shared_ptr<Frame> frame, int width, int height)
1473 {
1474  // Get image from clip
1475  std::shared_ptr<QImage> source_image = frame->GetImage();
1476 
1477  /* RESIZE SOURCE IMAGE - based on scale type */
1478  QSize source_size = scale_size(source_image->size(), scale, width, height);
1479 
1480  // Initialize parent object's properties (Clip or Tracked Object)
1481  float parentObject_location_x = 0.0;
1482  float parentObject_location_y = 0.0;
1483  float parentObject_scale_x = 1.0;
1484  float parentObject_scale_y = 1.0;
1485  float parentObject_shear_x = 0.0;
1486  float parentObject_shear_y = 0.0;
1487  float parentObject_rotation = 0.0;
1488 
1489  // Get the parentClipObject properties
1490  if (GetParentClip()){
1491  // Get the start trim position of the parent clip
1492  long parent_start_offset = parentClipObject->Start() * info.fps.ToDouble();
1493  long parent_frame_number = frame->number + parent_start_offset;
1494 
1495  // Get parent object's properties (Clip)
1496  parentObject_location_x = parentClipObject->location_x.GetValue(parent_frame_number);
1497  parentObject_location_y = parentClipObject->location_y.GetValue(parent_frame_number);
1498  parentObject_scale_x = parentClipObject->scale_x.GetValue(parent_frame_number);
1499  parentObject_scale_y = parentClipObject->scale_y.GetValue(parent_frame_number);
1500  parentObject_shear_x = parentClipObject->shear_x.GetValue(parent_frame_number);
1501  parentObject_shear_y = parentClipObject->shear_y.GetValue(parent_frame_number);
1502  parentObject_rotation = parentClipObject->rotation.GetValue(parent_frame_number);
1503  }
1504 
1505  // Get the parentTrackedObject properties
1506  if (GetParentTrackedObject()){
1507  // Get the attached object's parent clip's properties
1508  Clip* parentClip = (Clip*) parentTrackedObject->ParentClip();
1509  if (parentClip)
1510  {
1511  // Get the start trim position of the parent clip
1512  long parent_start_offset = parentClip->Start() * info.fps.ToDouble();
1513  long parent_frame_number = frame->number + parent_start_offset;
1514 
1515  // Access the parentTrackedObject's properties
1516  std::map<std::string, float> trackedObjectProperties = parentTrackedObject->GetBoxValues(parent_frame_number);
1517 
1518  // Get actual scaled parent size
1519  QSize parent_size = scale_size(QSize(parentClip->info.width, parentClip->info.height),
1520  parentClip->scale, width, height);
1521 
1522  // Get actual scaled tracked object size
1523  int trackedWidth = trackedObjectProperties["w"] * trackedObjectProperties["sx"] * parent_size.width() *
1524  parentClip->scale_x.GetValue(parent_frame_number);
1525  int trackedHeight = trackedObjectProperties["h"] * trackedObjectProperties["sy"] * parent_size.height() *
1526  parentClip->scale_y.GetValue(parent_frame_number);
1527 
1528  // Scale the clip source_size based on the actual tracked object size
1529  source_size = scale_size(source_size, scale, trackedWidth, trackedHeight);
1530 
1531  // Update parentObject's properties based on the tracked object's properties and parent clip's scale
1532  parentObject_location_x = parentClip->location_x.GetValue(parent_frame_number) + ((trackedObjectProperties["cx"] - 0.5) * parentClip->scale_x.GetValue(parent_frame_number));
1533  parentObject_location_y = parentClip->location_y.GetValue(parent_frame_number) + ((trackedObjectProperties["cy"] - 0.5) * parentClip->scale_y.GetValue(parent_frame_number));
1534  parentObject_rotation = trackedObjectProperties["r"] + parentClip->rotation.GetValue(parent_frame_number);
1535  }
1536  }
1537 
1538  /* GRAVITY LOCATION - Initialize X & Y to the correct values (before applying location curves) */
1539  float x = 0.0; // left
1540  float y = 0.0; // top
1541 
1542  // Adjust size for scale x and scale y
1543  float sx = scale_x.GetValue(frame->number); // percentage X scale
1544  float sy = scale_y.GetValue(frame->number); // percentage Y scale
1545 
1546  // Change clip's scale to parentObject's scale
1547  if(parentObject_scale_x != 0.0 && parentObject_scale_y != 0.0){
1548  sx*= parentObject_scale_x;
1549  sy*= parentObject_scale_y;
1550  }
1551 
1552  float scaled_source_width = source_size.width() * sx;
1553  float scaled_source_height = source_size.height() * sy;
1554 
1555  switch (gravity)
1556  {
1557  case (GRAVITY_TOP_LEFT):
1558  // This is only here to prevent unused-enum warnings
1559  break;
1560  case (GRAVITY_TOP):
1561  x = (width - scaled_source_width) / 2.0; // center
1562  break;
1563  case (GRAVITY_TOP_RIGHT):
1564  x = width - scaled_source_width; // right
1565  break;
1566  case (GRAVITY_LEFT):
1567  y = (height - scaled_source_height) / 2.0; // center
1568  break;
1569  case (GRAVITY_CENTER):
1570  x = (width - scaled_source_width) / 2.0; // center
1571  y = (height - scaled_source_height) / 2.0; // center
1572  break;
1573  case (GRAVITY_RIGHT):
1574  x = width - scaled_source_width; // right
1575  y = (height - scaled_source_height) / 2.0; // center
1576  break;
1577  case (GRAVITY_BOTTOM_LEFT):
1578  y = (height - scaled_source_height); // bottom
1579  break;
1580  case (GRAVITY_BOTTOM):
1581  x = (width - scaled_source_width) / 2.0; // center
1582  y = (height - scaled_source_height); // bottom
1583  break;
1584  case (GRAVITY_BOTTOM_RIGHT):
1585  x = width - scaled_source_width; // right
1586  y = (height - scaled_source_height); // bottom
1587  break;
1588  }
1589 
1590  // Debug output
1592  "Clip::get_transform (Gravity)",
1593  "frame->number", frame->number,
1594  "source_clip->gravity", gravity,
1595  "scaled_source_width", scaled_source_width,
1596  "scaled_source_height", scaled_source_height);
1597 
1598  QTransform transform;
1599 
1600  /* LOCATION, ROTATION, AND SCALE */
1601  float r = rotation.GetValue(frame->number) + parentObject_rotation; // rotate in degrees
1602  x += width * (location_x.GetValue(frame->number) + parentObject_location_x); // move in percentage of final width
1603  y += height * (location_y.GetValue(frame->number) + parentObject_location_y); // move in percentage of final height
1604  float shear_x_value = shear_x.GetValue(frame->number) + parentObject_shear_x;
1605  float shear_y_value = shear_y.GetValue(frame->number) + parentObject_shear_y;
1606  float origin_x_value = origin_x.GetValue(frame->number);
1607  float origin_y_value = origin_y.GetValue(frame->number);
1608 
1609  // Transform source image (if needed)
1611  "Clip::get_transform (Build QTransform - if needed)",
1612  "frame->number", frame->number,
1613  "x", x, "y", y,
1614  "r", r,
1615  "sx", sx, "sy", sy);
1616 
1617  if (!isNear(x, 0) || !isNear(y, 0)) {
1618  // TRANSLATE/MOVE CLIP
1619  transform.translate(x, y);
1620  }
1621  if (!isNear(r, 0) || !isNear(shear_x_value, 0) || !isNear(shear_y_value, 0)) {
1622  // ROTATE CLIP (around origin_x, origin_y)
1623  float origin_x_offset = (scaled_source_width * origin_x_value);
1624  float origin_y_offset = (scaled_source_height * origin_y_value);
1625  transform.translate(origin_x_offset, origin_y_offset);
1626  transform.rotate(r);
1627  transform.shear(shear_x_value, shear_y_value);
1628  transform.translate(-origin_x_offset,-origin_y_offset);
1629  }
1630  // SCALE CLIP (if needed)
1631  float source_width_scale = (float(source_size.width()) / float(source_image->width())) * sx;
1632  float source_height_scale = (float(source_size.height()) / float(source_image->height())) * sy;
1633  if (!isNear(source_width_scale, 1.0) || !isNear(source_height_scale, 1.0)) {
1634  transform.scale(source_width_scale, source_height_scale);
1635  }
1636 
1637  return transform;
1638 }
1639 
1640 // Adjust frame number for Clip position and start (which can result in a different number)
1641 int64_t Clip::adjust_timeline_framenumber(int64_t clip_frame_number) {
1642 
1643  // Get clip position from parent clip (if any)
1644  float position = 0.0;
1645  float start = 0.0;
1646  Clip *parent = static_cast<Clip *>(ParentClip());
1647  if (parent) {
1648  position = parent->Position();
1649  start = parent->Start();
1650  }
1651 
1652  // Adjust start frame and position based on parent clip.
1653  // This ensures the same frame # is used by mapped readers and clips,
1654  // when calculating samples per frame.
1655  // Thus, this prevents gaps and mismatches in # of samples.
1656  int64_t clip_start_frame = (start * info.fps.ToDouble()) + 1;
1657  int64_t clip_start_position = round(position * info.fps.ToDouble()) + 1;
1658  int64_t frame_number = clip_frame_number + clip_start_position - clip_start_frame;
1659 
1660  return frame_number;
1661 }
openshot::ClipBase::add_property_json
Json::Value add_property_json(std::string name, float value, std::string type, std::string memo, const Keyframe *keyframe, float min_value, float max_value, bool readonly, int64_t requested_frame) const
Generate JSON for a property.
Definition: ClipBase.cpp:96
openshot::stringToJson
const Json::Value stringToJson(const std::string value)
Definition: Json.cpp:16
openshot::CacheMemory::Clear
void Clear()
Clear the cache of all frames.
Definition: CacheMemory.cpp:224
openshot::Clip::Open
void Open() override
Open the internal reader.
Definition: Clip.cpp:384
openshot::Keyframe::IsIncreasing
bool IsIncreasing(int index) const
Get the direction of the curve at a specific index (increasing or decreasing)
Definition: KeyFrame.cpp:292
openshot::ReaderInfo::sample_rate
int sample_rate
The number of audio samples per second (44100 is a common sample rate)
Definition: ReaderBase.h:60
openshot::ClipBase::timeline
openshot::TimelineBase * timeline
Pointer to the parent timeline instance (if any)
Definition: ClipBase.h:40
openshot::EffectInfo
This class returns a listing of all effects supported by libopenshot.
Definition: EffectInfo.h:28
openshot::FRAME_DISPLAY_BOTH
@ FRAME_DISPLAY_BOTH
Display both the clip's and timeline's frame number.
Definition: Enums.h:56
openshot::Fraction::ToFloat
float ToFloat()
Return this fraction as a float (i.e. 1/2 = 0.5)
Definition: Fraction.cpp:35
openshot::EffectBase
This abstract class is the base class, used by all effects in libopenshot.
Definition: EffectBase.h:56
openshot::EffectBase::info
EffectInfoStruct info
Information about the current effect.
Definition: EffectBase.h:110
openshot::ReaderBase::JsonValue
virtual Json::Value JsonValue() const =0
Generate Json::Value for this object.
Definition: ReaderBase.cpp:106
openshot::COMPOSITE_MULTIPLY
@ COMPOSITE_MULTIPLY
Definition: Enums.h:91
openshot::Clip::anchor
openshot::AnchorType anchor
The anchor determines what parent a clip should snap to.
Definition: Clip.h:180
Clip.h
Header file for Clip class.
openshot::Keyframe::GetLong
int64_t GetLong(int64_t index) const
Get the rounded LONG value at a specific index.
Definition: KeyFrame.cpp:287
openshot::CacheMemory::GetFrame
std::shared_ptr< openshot::Frame > GetFrame(int64_t frame_number)
Get a frame from the cache.
Definition: CacheMemory.cpp:84
openshot::ChunkReader
This class reads a special chunk-formatted file, which can be easily shared in a distributed environm...
Definition: ChunkReader.h:78
openshot::CacheMemory::Add
void Add(std::shared_ptr< openshot::Frame > frame)
Add a Frame to the cache.
Definition: CacheMemory.cpp:47
openshot::ReaderBase::GetFrame
virtual std::shared_ptr< openshot::Frame > GetFrame(int64_t number)=0
openshot::Clip::previous_location
AudioLocation previous_location
Previous time-mapped audio location.
Definition: Clip.h:95
openshot::FRAME_DISPLAY_CLIP
@ FRAME_DISPLAY_CLIP
Display the clip's internal frame number.
Definition: Enums.h:54
openshot::FRAME_DISPLAY_TIMELINE
@ FRAME_DISPLAY_TIMELINE
Display the timeline's frame number.
Definition: Enums.h:55
openshot::ReaderBase::SetJsonValue
virtual void SetJsonValue(const Json::Value root)=0
Load Json::Value into this object.
Definition: ReaderBase.cpp:157
openshot::Clip::GetEffect
openshot::EffectBase * GetEffect(const std::string &id)
Look up an effect by ID.
Definition: Clip.cpp:553
openshot::ClipBase::End
virtual void End(float value)
Set end position (in seconds) of clip (trim end of video)
Definition: ClipBase.cpp:53
openshot
This namespace is the default namespace for all code in the openshot library.
Definition: Compressor.h:28
openshot::Clip::scale_y
openshot::Keyframe scale_y
Curve representing the vertical scaling in percent (0 to 1)
Definition: Clip.h:319
openshot::Clip::PropertiesJSON
std::string PropertiesJSON(int64_t requested_frame) const override
Definition: Clip.cpp:838
openshot::EffectBase::ParentClip
openshot::ClipBase * ParentClip()
Parent clip object of this effect (which can be unparented and NULL)
Definition: EffectBase.cpp:549
openshot::AudioLocation
This struct holds the associated video frame and starting sample # for an audio packet.
Definition: AudioLocation.h:25
openshot::Keyframe::GetDelta
double GetDelta(int64_t index) const
Get the change in Y value (from the previous Y value)
Definition: KeyFrame.cpp:399
TextReader.h
Header file for TextReader class.
openshot::Clip::time
openshot::Keyframe time
Curve representing the frames over time to play (used for speed and direction of video)
Definition: Clip.h:332
openshot::CompositeType
CompositeType
This enumeration determines how clips are composited onto lower layers.
Definition: Enums.h:75
openshot::ClipBase::add_property_choice_json
Json::Value add_property_choice_json(std::string name, int value, int selected_value) const
Generate JSON choice for a property (dropdown properties)
Definition: ClipBase.cpp:132
openshot::AudioLocation::frame
int64_t frame
Definition: AudioLocation.h:26
openshot::Clip
This class represents a clip (used to arrange readers on the timeline)
Definition: Clip.h:89
juce::AudioBuffer< float >
openshot::AudioLocation::sample_start
int sample_start
Definition: AudioLocation.h:27
openshot::Clip::alpha
openshot::Keyframe alpha
Curve representing the alpha (1 to 0)
Definition: Clip.h:322
openshot::Clip::End
float End() const override
Get end position (in seconds) of clip (trim end of video), which can be affected by the time curve.
Definition: Clip.cpp:420
openshot::ReaderBase::info
openshot::ReaderInfo info
Information about the current media file.
Definition: ReaderBase.h:88
openshot::COMPOSITE_SCREEN
@ COMPOSITE_SCREEN
Definition: Enums.h:92
openshot::GRAVITY_TOP_LEFT
@ GRAVITY_TOP_LEFT
Align clip to the top left of its parent.
Definition: Enums.h:23
Timeline.h
Header file for Timeline class.
openshot::Clip::origin_x
openshot::Keyframe origin_x
Curve representing X origin point (0.0=0% (left), 1.0=100% (right))
Definition: Clip.h:328
openshot::Clip::ParentTimeline
void ParentTimeline(openshot::TimelineBase *new_timeline) override
Set associated Timeline pointer.
Definition: Clip.cpp:447
openshot::Clip::GetFrame
std::shared_ptr< openshot::Frame > GetFrame(int64_t clip_frame_number) override
Get an openshot::Frame object for a specific frame number of this clip. The image size and number of ...
Definition: Clip.cpp:455
openshot::Clip::Close
void Close() override
Close the internal reader.
Definition: Clip.cpp:405
AudioResampler.h
Header file for AudioResampler class.
openshot::Clip::location_y
openshot::Keyframe location_y
Curve representing the relative Y position in percent based on the gravity (-1 to 1)
Definition: Clip.h:321
openshot::DummyReader
This class is used as a simple, dummy reader, which can be very useful when writing unit tests....
Definition: DummyReader.h:85
openshot::GRAVITY_TOP_RIGHT
@ GRAVITY_TOP_RIGHT
Align clip to the top right of its parent.
Definition: Enums.h:25
openshot::Keyframe::SetJsonValue
void SetJsonValue(const Json::Value root)
Load Json::Value into this object.
Definition: KeyFrame.cpp:372
openshot::GravityType
GravityType
This enumeration determines how clips are aligned to their parent container.
Definition: Enums.h:21
openshot::Clip::origin_y
openshot::Keyframe origin_y
Curve representing Y origin point (0.0=0% (top), 1.0=100% (bottom))
Definition: Clip.h:329
openshot::Clip::GetParentTrackedObject
std::shared_ptr< openshot::TrackedObjectBase > GetParentTrackedObject()
Return the associated Parent Tracked Object (if any)
Definition: Clip.cpp:574
openshot::ReaderInfo::duration
float duration
Length of time (in seconds)
Definition: ReaderBase.h:43
openshot::EffectBase::trackedObjects
std::map< int, std::shared_ptr< openshot::TrackedObjectBase > > trackedObjects
Map of Tracked Object's by their indices (used by Effects that track objects on clips)
Definition: EffectBase.h:107
openshot::Clip::channel_mapping
openshot::Keyframe channel_mapping
A number representing an audio channel to output (only works when filtering a channel)
Definition: Clip.h:350
openshot::Clip::AddEffect
void AddEffect(openshot::EffectBase *effect)
Add an effect to the clip.
Definition: Clip.cpp:1244
openshot::ReaderBase::Name
virtual std::string Name()=0
Return the type name of the class.
openshot::Clip::~Clip
virtual ~Clip()
Destructor.
Definition: Clip.cpp:285
openshot::ReaderInfo::width
int width
The width of the video (in pixesl)
Definition: ReaderBase.h:46
openshot::Clip::Json
std::string Json() const override
Generate JSON string of this object.
Definition: Clip.cpp:831
openshot::ClipBase::Position
void Position(float value)
Set the Id of this clip object
Definition: ClipBase.cpp:19
openshot::GRAVITY_RIGHT
@ GRAVITY_RIGHT
Align clip to the right of its parent (middle aligned)
Definition: Enums.h:28
openshot::FRAME_DISPLAY_NONE
@ FRAME_DISPLAY_NONE
Do not display the frame number.
Definition: Enums.h:53
openshot::COMPOSITE_SOFT_LIGHT
@ COMPOSITE_SOFT_LIGHT
Definition: Enums.h:99
openshot::CompareClipEffects
Definition: Clip.h:48
openshot::Clip::SetJsonValue
void SetJsonValue(const Json::Value root) override
Load Json::Value into this object.
Definition: Clip.cpp:1034
openshot::OutOfBoundsFrame
Exception for frames that are out of bounds.
Definition: Exceptions.h:306
openshot::Fraction::ToDouble
double ToDouble() const
Return this fraction as a double (i.e. 1/2 = 0.5)
Definition: Fraction.cpp:40
openshot::Timeline::apply_effects
std::shared_ptr< openshot::Frame > apply_effects(std::shared_ptr< openshot::Frame > frame, int64_t timeline_frame_number, int layer, TimelineInfoStruct *options)
Apply global/timeline effects to the source frame (if any)
Definition: Timeline.cpp:551
openshot::TimelineInfoStruct::force_safe_composite
bool force_safe_composite
If true, avoid mutating cached clip images during composition.
Definition: TimelineBase.h:36
openshot::Keyframe::JsonValue
Json::Value JsonValue() const
Generate Json::Value for this object.
Definition: KeyFrame.cpp:339
openshot::COMPOSITE_LIGHTEN
@ COMPOSITE_LIGHTEN
Definition: Enums.h:95
FrameMapper.h
Header file for the FrameMapper class.
openshot::GRAVITY_TOP
@ GRAVITY_TOP
Align clip to the top center of its parent.
Definition: Enums.h:24
openshot::COMPOSITE_OVERLAY
@ COMPOSITE_OVERLAY
Definition: Enums.h:93
openshot::CacheBase::SetMaxBytesFromInfo
void SetMaxBytesFromInfo(int64_t number_of_frames, int width, int height, int sample_rate, int channels)
Set maximum bytes to a different amount based on a ReaderInfo struct.
Definition: CacheBase.cpp:28
openshot::Color
This class represents a color (used on the timeline and clips)
Definition: Color.h:27
openshot::Clip::display
openshot::FrameDisplayType display
The format to display the frame number (if any)
Definition: Clip.h:181
openshot::ClipBase::SetJsonValue
virtual void SetJsonValue(const Json::Value root)=0
Load Json::Value into this object.
Definition: ClipBase.cpp:80
openshot::Clip::perspective_c2_y
openshot::Keyframe perspective_c2_y
Curves representing Y for coordinate 2.
Definition: Clip.h:342
openshot::Clip::scale_x
openshot::Keyframe scale_x
Curve representing the horizontal scaling in percent (0 to 1)
Definition: Clip.h:318
openshot::QtImageReader
This class uses the Qt library, to open image files, and return openshot::Frame objects containing th...
Definition: QtImageReader.h:74
openshot::ClipBase::JsonValue
virtual Json::Value JsonValue() const =0
Generate Json::Value for this object.
Definition: ClipBase.cpp:64
openshot::ReaderInfo::video_length
int64_t video_length
The number of frames in the video stream.
Definition: ReaderBase.h:53
openshot::AudioResampler
This class is used to resample audio data for many sequential frames.
Definition: AudioResampler.h:30
openshot::AudioResampler::SetBuffer
void SetBuffer(juce::AudioBuffer< float > *new_buffer, double sample_rate, double new_sample_rate)
Sets the audio buffer and key settings.
Definition: AudioResampler.cpp:60
openshot::ReaderInfo::height
int height
The height of the video (in pixels)
Definition: ReaderBase.h:45
openshot::VOLUME_MIX_REDUCE
@ VOLUME_MIX_REDUCE
Reduce volume by about %25, and then mix (louder, but could cause pops if the sum exceeds 100%)
Definition: Enums.h:71
openshot::ClipBase::position
float position
The position on the timeline where this clip should start playing.
Definition: ClipBase.h:35
openshot::Timeline::GetClip
openshot::Clip * GetClip(const std::string &id)
Look up a single clip by ID.
Definition: Timeline.cpp:418
openshot::Clip::perspective_c3_y
openshot::Keyframe perspective_c3_y
Curves representing Y for coordinate 3.
Definition: Clip.h:344
openshot::Clip::perspective_c4_y
openshot::Keyframe perspective_c4_y
Curves representing Y for coordinate 4.
Definition: Clip.h:346
ZmqLogger.h
Header file for ZeroMQ-based Logger class.
openshot::Clip::has_video
openshot::Keyframe has_video
An optional override to determine if this clip has video (-1=undefined, 0=no, 1=yes)
Definition: Clip.h:354
openshot::Keyframe
A Keyframe is a collection of Point instances, which is used to vary a number or property over time.
Definition: KeyFrame.h:53
openshot::Clip::gravity
openshot::GravityType gravity
The gravity of a clip determines where it snaps to its parent.
Definition: Clip.h:178
openshot::Color::SetJsonValue
void SetJsonValue(const Json::Value root)
Load Json::Value into this object.
Definition: Color.cpp:117
openshot::TimelineInfoStruct::is_before_clip_keyframes
bool is_before_clip_keyframes
Is this before clip keyframes are applied.
Definition: TimelineBase.h:35
openshot::ReaderBase::Open
virtual void Open()=0
Open the reader (and start consuming resources, such as images or video files)
openshot::GRAVITY_BOTTOM
@ GRAVITY_BOTTOM
Align clip to the bottom center of its parent.
Definition: Enums.h:30
openshot::ReaderBase::IsOpen
virtual bool IsOpen()=0
Determine if reader is open or closed.
openshot::InvalidJSON
Exception for invalid JSON.
Definition: Exceptions.h:223
openshot::Timeline
This class represents a timeline.
Definition: Timeline.h:153
openshot::ImageReader
This class uses the ImageMagick++ libraries, to open image files, and return openshot::Frame objects ...
Definition: ImageReader.h:55
openshot::Clip::composite
openshot::CompositeType composite
How this clip is composited onto lower layers.
Definition: Clip.h:183
openshot::Clip::perspective_c1_x
openshot::Keyframe perspective_c1_x
Curves representing X for coordinate 1.
Definition: Clip.h:339
openshot::SCALE_CROP
@ SCALE_CROP
Scale the clip until both height and width fill the canvas (cropping the overlap)
Definition: Enums.h:37
openshot::Color::green
openshot::Keyframe green
Curve representing the green value (0 - 255)
Definition: Color.h:31
openshot::COMPOSITE_HARD_LIGHT
@ COMPOSITE_HARD_LIGHT
Definition: Enums.h:98
openshot::Clip::init_settings
void init_settings()
Init default settings for a clip.
Definition: Clip.cpp:69
openshot::TimelineInfoStruct
This struct contains info about the current Timeline clip instance.
Definition: TimelineBase.h:32
openshot::EffectInfoStruct::has_tracked_object
bool has_tracked_object
Determines if this effect track objects through the clip.
Definition: EffectBase.h:45
openshot::ReaderInfo::metadata
std::map< std::string, std::string > metadata
An optional map/dictionary of metadata for this reader.
Definition: ReaderBase.h:65
openshot::ClipBase::end
float end
The position in seconds to end playing (used to trim the ending of a clip)
Definition: ClipBase.h:38
openshot::ClipBase::Start
void Start(float value)
Set start position (in seconds) of clip (trim start of video)
Definition: ClipBase.cpp:42
openshot::FFmpegReader
This class uses the FFmpeg libraries, to open video files and audio files, and return openshot::Frame...
Definition: FFmpegReader.h:103
path
path
Definition: FFmpegWriter.cpp:1474
openshot::COMPOSITE_PLUS
@ COMPOSITE_PLUS
Definition: Enums.h:90
openshot::FrameMapper
This class creates a mapping between 2 different frame rates, applying a specific pull-down technique...
Definition: FrameMapper.h:193
openshot::Frame::GetSamplesPerFrame
int GetSamplesPerFrame(openshot::Fraction fps, int sample_rate, int channels)
Calculate the # of samples per video frame (for the current frame number)
Definition: Frame.cpp:484
ChunkReader.h
Header file for ChunkReader class.
openshot::COMPOSITE_DIFFERENCE
@ COMPOSITE_DIFFERENCE
Definition: Enums.h:100
openshot::ZmqLogger::Instance
static ZmqLogger * Instance()
Create or get an instance of this logger singleton (invoke the class with this method)
Definition: ZmqLogger.cpp:35
openshot::ClipBase::start
float start
The position in seconds to start playing (used to trim the beginning of a clip)
Definition: ClipBase.h:37
openshot::Clip::Reader
openshot::ReaderBase * Reader()
Get the current reader.
Definition: Clip.cpp:374
openshot::SCALE_FIT
@ SCALE_FIT
Scale the clip until either height or width fills the canvas (with no cropping)
Definition: Enums.h:38
openshot::GRAVITY_BOTTOM_LEFT
@ GRAVITY_BOTTOM_LEFT
Align clip to the bottom left of its parent.
Definition: Enums.h:29
openshot::Clip::perspective_c2_x
openshot::Keyframe perspective_c2_x
Curves representing X for coordinate 2.
Definition: Clip.h:341
openshot::ZmqLogger::AppendDebugMethod
void AppendDebugMethod(std::string method_name, std::string arg1_name="", float arg1_value=-1.0, std::string arg2_name="", float arg2_value=-1.0, std::string arg3_name="", float arg3_value=-1.0, std::string arg4_name="", float arg4_value=-1.0, std::string arg5_name="", float arg5_value=-1.0, std::string arg6_name="", float arg6_value=-1.0)
Append debug information.
Definition: ZmqLogger.cpp:178
openshot::Clip::volume
openshot::Keyframe volume
Curve representing the volume (0 to 1)
Definition: Clip.h:333
openshot::COMPOSITE_DARKEN
@ COMPOSITE_DARKEN
Definition: Enums.h:94
openshot::Timeline::AddTrackedObject
void AddTrackedObject(std::shared_ptr< openshot::TrackedObjectBase > trackedObject)
Add to the tracked_objects map a pointer to a tracked object (TrackedObjectBBox)
Definition: Timeline.cpp:229
openshot::Clip::SetJson
void SetJson(const std::string value) override
Load JSON string into this object.
Definition: Clip.cpp:1017
openshot::GRAVITY_BOTTOM_RIGHT
@ GRAVITY_BOTTOM_RIGHT
Align clip to the bottom right of its parent.
Definition: Enums.h:31
openshot::Color::JsonValue
Json::Value JsonValue() const
Generate Json::Value for this object.
Definition: Color.cpp:86
openshot::Keyframe::GetLength
int64_t GetLength() const
Definition: KeyFrame.cpp:417
openshot::Keyframe::GetInt
int GetInt(int64_t index) const
Get the rounded INT value at a specific index.
Definition: KeyFrame.cpp:282
openshot::ANCHOR_CANVAS
@ ANCHOR_CANVAS
Anchor the clip to the canvas.
Definition: Enums.h:46
openshot::Clip::SetAttachedClip
void SetAttachedClip(Clip *clipObject)
Set the pointer to the clip this clip is attached to.
Definition: Clip.cpp:333
openshot::Clip::perspective_c4_x
openshot::Keyframe perspective_c4_x
Curves representing X for coordinate 4.
Definition: Clip.h:345
openshot::ReaderClosed
Exception when a reader is closed, and a frame is requested.
Definition: Exceptions.h:369
openshot::ReaderInfo::channel_layout
openshot::ChannelLayout channel_layout
The channel layout (mono, stereo, 5 point surround, etc...)
Definition: ReaderBase.h:62
openshot::Clip::perspective_c1_y
openshot::Keyframe perspective_c1_y
Curves representing Y for coordinate 1.
Definition: Clip.h:340
openshot::COMPOSITE_EXCLUSION
@ COMPOSITE_EXCLUSION
Definition: Enums.h:101
openshot::Clip::channel_filter
openshot::Keyframe channel_filter
A number representing an audio channel to filter (clears all other channels)
Definition: Clip.h:349
openshot::Clip::init_reader_rotation
void init_reader_rotation()
Update default rotation from reader.
Definition: Clip.cpp:148
openshot::ClipBase::Id
void Id(std::string value)
Definition: ClipBase.h:94
openshot::Clip::init_reader_settings
void init_reader_settings()
Init reader info details.
Definition: Clip.cpp:135
openshot::TimelineBase
This class represents a timeline (used for building generic timeline implementations)
Definition: TimelineBase.h:42
MagickUtilities.h
Header file for MagickUtilities (IM6/IM7 compatibility overlay)
openshot::GRAVITY_LEFT
@ GRAVITY_LEFT
Align clip to the left of its parent (middle aligned)
Definition: Enums.h:26
openshot::Keyframe::GetCount
int64_t GetCount() const
Get the number of points (i.e. # of points)
Definition: KeyFrame.cpp:424
openshot::ReaderInfo::fps
openshot::Fraction fps
Frames per second, as a fraction (i.e. 24/1 = 24 fps)
Definition: ReaderBase.h:48
openshot::Clip::Clip
Clip()
Default Constructor.
Definition: Clip.cpp:199
openshot::ReaderBase
This abstract class is the base class, used by all readers in libopenshot.
Definition: ReaderBase.h:75
openshot::Clip::SetAttachedObject
void SetAttachedObject(std::shared_ptr< openshot::TrackedObjectBase > trackedObject)
Set the pointer to the trackedObject this clip is attached to.
Definition: Clip.cpp:328
openshot::ClipBase::previous_properties
std::string previous_properties
This string contains the previous JSON properties.
Definition: ClipBase.h:39
openshot::Clip::scale
openshot::ScaleType scale
The scale determines how a clip should be resized to fit its parent.
Definition: Clip.h:179
openshot::COMPOSITE_SOURCE_OVER
@ COMPOSITE_SOURCE_OVER
Definition: Enums.h:76
openshot::AudioResampler::GetResampledBuffer
juce::AudioBuffer< float > * GetResampledBuffer()
Get the resampled audio buffer.
Definition: AudioResampler.cpp:106
openshot::VOLUME_MIX_AVERAGE
@ VOLUME_MIX_AVERAGE
Evenly divide the overlapping clips volume keyframes, so that the sum does not exceed 100%.
Definition: Enums.h:70
openshot::ReaderBase::Close
virtual void Close()=0
Close the reader (and any resources it was consuming)
openshot::AnchorType
AnchorType
This enumeration determines what parent a clip should be aligned to.
Definition: Enums.h:44
openshot::ScaleType
ScaleType
This enumeration determines how clips are scaled to fit their parent container.
Definition: Enums.h:35
openshot::Clip::AttachToObject
void AttachToObject(std::string object_id)
Attach clip to Tracked Object or to another Clip.
Definition: Clip.cpp:305
openshot::Color::alpha
openshot::Keyframe alpha
Curve representing the alpha value (0 - 255)
Definition: Color.h:33
openshot::Clip::has_audio
openshot::Keyframe has_audio
An optional override to determine if this clip has audio (-1=undefined, 0=no, 1=yes)
Definition: Clip.h:353
openshot::Clip::GetParentClip
openshot::Clip * GetParentClip()
Return the associated ParentClip (if any)
Definition: Clip.cpp:565
openshot::Clip::rotation
openshot::Keyframe rotation
Curve representing the rotation (0 to 360)
Definition: Clip.h:325
openshot::SCALE_NONE
@ SCALE_NONE
Do not scale the clip.
Definition: Enums.h:40
openshot::TextReader
This class uses the ImageMagick++ libraries, to create frames with "Text", and return openshot::Frame...
Definition: TextReader.h:62
QtImageReader.h
Header file for QtImageReader class.
openshot::GRAVITY_CENTER
@ GRAVITY_CENTER
Align clip to the center of its parent (middle aligned)
Definition: Enums.h:27
openshot::Clip::JsonValue
Json::Value JsonValue() const override
Generate Json::Value for this object.
Definition: Clip.cpp:960
openshot::Color::red
openshot::Keyframe red
Curve representing the red value (0 - 255)
Definition: Color.h:30
openshot::SCALE_STRETCH
@ SCALE_STRETCH
Scale the clip until both height and width fill the canvas (distort to fit)
Definition: Enums.h:39
ImageReader.h
Header file for ImageReader class.
openshot::FrameMapper::Reader
ReaderBase * Reader()
Get the current reader.
Definition: FrameMapper.cpp:67
openshot::Clip::perspective_c3_x
openshot::Keyframe perspective_c3_x
Curves representing X for coordinate 3.
Definition: Clip.h:343
openshot::COMPOSITE_COLOR_BURN
@ COMPOSITE_COLOR_BURN
Definition: Enums.h:97
openshot::VOLUME_MIX_NONE
@ VOLUME_MIX_NONE
Do not apply any volume mixing adjustments. Just add the samples together.
Definition: Enums.h:69
openshot::ChunkVersion
ChunkVersion
This enumeration allows the user to choose which version of the chunk they would like (low,...
Definition: ChunkReader.h:49
openshot::ClipBase::Layer
void Layer(int value)
Set layer of clip on timeline (lower number is covered by higher numbers)
Definition: ClipBase.cpp:31
openshot::ReaderInfo::channels
int channels
The number of audio channels used in the audio stream.
Definition: ReaderBase.h:61
openshot::VolumeMixType
VolumeMixType
This enumeration determines the strategy when mixing audio with other clips.
Definition: Enums.h:67
openshot::Clip::wave_color
openshot::Color wave_color
Curve representing the color of the audio wave form.
Definition: Clip.h:336
openshot::Clip::shear_y
openshot::Keyframe shear_y
Curve representing Y shear angle in degrees (-45.0=down, 45.0=up)
Definition: Clip.h:327
openshot::Clip::RemoveEffect
void RemoveEffect(openshot::EffectBase *effect)
Remove an effect from the clip.
Definition: Clip.cpp:1291
DummyReader.h
Header file for DummyReader class.
openshot::Color::blue
openshot::Keyframe blue
Curve representing the red value (0 - 255)
Definition: Color.h:32
openshot::Timeline::GetTrackedObject
std::shared_ptr< openshot::TrackedObjectBase > GetTrackedObject(std::string id) const
Return tracked object pointer by it's id.
Definition: Timeline.cpp:247
Exceptions.h
Header file for all Exception classes.
openshot::Clip::mixing
openshot::VolumeMixType mixing
What strategy should be followed when mixing audio with other clips.
Definition: Clip.h:182
FFmpegReader.h
Header file for FFmpegReader class.
openshot::COMPOSITE_COLOR_DODGE
@ COMPOSITE_COLOR_DODGE
Definition: Enums.h:96
openshot::Clip::shear_x
openshot::Keyframe shear_x
Curve representing X shear angle in degrees (-45.0=left, 45.0=right)
Definition: Clip.h:326
openshot::EffectBase::SetJsonValue
virtual void SetJsonValue(const Json::Value root)
Load Json::Value into this object.
Definition: EffectBase.cpp:139
openshot::Keyframe::GetValue
double GetValue(int64_t index) const
Get the value at a specific index.
Definition: KeyFrame.cpp:258
openshot::Clip::location_x
openshot::Keyframe location_x
Curve representing the relative X position in percent based on the gravity (-1 to 1)
Definition: Clip.h:320
openshot::Clip::getFrameMutex
std::recursive_mutex getFrameMutex
Mutex for multiple threads.
Definition: Clip.h:92
openshot::FrameDisplayType
FrameDisplayType
This enumeration determines the display format of the clip's frame number (if any)....
Definition: Enums.h:51
openshot::ReaderBase::ParentClip
openshot::ClipBase * ParentClip()
Parent clip object of this reader (which can be unparented and NULL)
Definition: ReaderBase.cpp:240