1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378
|
"""
@file
@brief This file loads the Initialize Effects / Pre-process effects dialog
@author Jonathan Thomas <jonathan@openshot.org>
@section LICENSE
Copyright (c) 2008-2018 OpenShot Studios, LLC
(http://www.openshotstudios.com). This file is part of
OpenShot Video Editor (http://www.openshot.org), an open-source project
dedicated to delivering high quality video editing and animation solutions
to the world.
OpenShot Video Editor is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
OpenShot Video Editor is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with OpenShot Library. If not, see <http://www.gnu.org/licenses/>.
"""
import os
import time
import json
import functools
import webbrowser
from PyQt5.QtCore import *
from PyQt5.QtGui import QBrush
from PyQt5.QtWidgets import *
import openshot # Python module for libopenshot (required video editing module installed separately)
from classes import info, ui_util, qt_types, updates
from classes.app import get_app
from classes.logger import log
from classes.metrics import *
class ProcessEffect(QDialog):
""" Choose Profile Dialog """
progress = pyqtSignal(int)
# Path to ui file
ui_path = os.path.join(info.PATH, 'windows', 'ui', 'process-effect.ui')
def __init__(self, clip_id, effect_name, effect_params):
if not openshot.Clip().COMPILED_WITH_CV:
raise ModuleNotFoundError("Openshot not compiled with OpenCV")
# Create dialog class
QDialog.__init__(self)
# Track effect details
self.clip_id = clip_id
self.effect_name = effect_name
self.context = {}
# Access C++ timeline and find the Clip instance which this effect should be applied to
timeline_instance = get_app().window.timeline_sync.timeline
for clip_instance in timeline_instance.Clips():
if clip_instance.Id() == self.clip_id:
self.clip_instance = clip_instance
break
# Load UI from designer & init
ui_util.load_ui(self, self.ui_path)
ui_util.init_ui(self)
# Update window title
self.setWindowTitle(self.windowTitle() % self.effect_name)
# get translations
_ = get_app()._tr
# Pause playback (to prevent crash since we are fixing to change the timeline's max size)
get_app().window.actionPlay_trigger(None, force="pause")
# Track metrics
track_metric_screen("process-effect-screen")
# Loop through options and create widgets
row_count = 0
for param in effect_params:
# Create Label
widget = None
label = QLabel()
label.setText(_(param["title"]))
label.setToolTip(_(param["title"]))
if param["type"] == "link":
# create a clickable link
label.setText('<a href="%s" style="color: #FFFFFF">%s</a>' % (param["value"], _(param["title"])))
label.setTextInteractionFlags(Qt.TextBrowserInteraction)
label.linkActivated.connect(functools.partial(self.link_activated, widget, param))
if param["type"] == "spinner":
# create QDoubleSpinBox
widget = QDoubleSpinBox()
widget.setMinimum(float(param["min"]))
widget.setMaximum(float(param["max"]))
widget.setValue(float(param["value"]))
widget.setSingleStep(1.0)
widget.setToolTip(_(param["title"]))
widget.valueChanged.connect(functools.partial(self.spinner_value_changed, widget, param))
# Set initial context
self.context[param["setting"]] = float(param["value"])
if param["type"] == "rect":
# create QPushButton which opens up a display of the clip, with ability to select Rectangle
widget = QPushButton(_("Click to Select"))
widget.setMinimumHeight(80)
widget.setToolTip(_(param["title"]))
widget.clicked.connect(functools.partial(self.rect_select_clicked, widget, param))
# Set initial context
self.context[param["setting"]] = {"button-clicked": False, "x": 0, "y": 0, "width": 0, "height": 0}
if param["type"] == "spinner-int":
# create QDoubleSpinBox
widget = QSpinBox()
widget.setMinimum(int(param["min"]))
widget.setMaximum(int(param["max"]))
widget.setValue(int(param["value"]))
widget.setSingleStep(1)
widget.setToolTip(_(param["title"]))
widget.valueChanged.connect(functools.partial(self.spinner_value_changed, widget, param))
# Set initial context
self.context[param["setting"]] = int(param["value"])
elif param["type"] == "text":
# create QLineEdit
widget = QLineEdit()
widget.setText(_(param["value"]))
widget.textChanged.connect(functools.partial(self.text_value_changed, widget, param))
# Set initial context
self.context[param["setting"]] = param["value"]
elif param["type"] == "bool":
# create spinner
widget = QCheckBox()
if param["value"] == True:
widget.setCheckState(Qt.Checked)
self.context[param["setting"]] = True
else:
widget.setCheckState(Qt.Unchecked)
self.context[param["setting"]] = False
widget.stateChanged.connect(functools.partial(self.bool_value_changed, widget, param))
elif param["type"] == "dropdown":
# create spinner
widget = QComboBox()
# Get values
value_list = param["values"]
# Add normal values
box_index = 0
for value_item in value_list:
k = value_item["name"]
v = value_item["value"]
i = value_item.get("icon", None)
# add dropdown item
widget.addItem(_(k), v)
# select dropdown (if default)
if v == param["value"]:
widget.setCurrentIndex(box_index)
# Set initial context
self.context[param["setting"]] = param["value"]
box_index = box_index + 1
widget.currentIndexChanged.connect(functools.partial(self.dropdown_index_changed, widget, param))
# Add Label and Widget to the form
if widget and label:
# Add minimum size
label.setSizePolicy(QSizePolicy.Minimum, QSizePolicy.Preferred)
widget.setSizePolicy(QSizePolicy.Expanding, QSizePolicy.Expanding)
# Create HBoxLayout for each field
self.scrollAreaWidgetContents.layout().insertRow(row_count, label, widget)
elif not widget and label:
label.setSizePolicy(QSizePolicy.Maximum, QSizePolicy.Preferred)
self.scrollAreaWidgetContents.layout().insertRow(row_count, label)
row_count += 1
# Add error field
self.error_label = QLabel("", self)
self.error_label.setStyleSheet("color: red;")
self.scrollAreaWidgetContents.layout().insertRow(row_count, self.error_label)
# Add buttons
self.cancel_button = QPushButton(_('Cancel'))
self.process_button = QPushButton(_('Process Effect'))
self.buttonBox.addButton(self.process_button, QDialogButtonBox.AcceptRole)
self.buttonBox.addButton(self.cancel_button, QDialogButtonBox.RejectRole)
# flag to close the clip processing thread
self.cancel_clip_processing = False
self.effect = None
def link_activated(self, widget, param, value):
"""Link activated"""
webbrowser.open(value, new=1)
def spinner_value_changed(self, widget, param, value):
"""Spinner value change callback"""
self.context[param["setting"]] = value
log.info(self.context)
def bool_value_changed(self, widget, param, state):
"""Boolean value change callback"""
if state == Qt.Checked:
self.context[param["setting"]] = True
else:
self.context[param["setting"]] = False
log.info(self.context)
def dropdown_index_changed(self, widget, param, index):
"""Dropdown value change callback"""
value = widget.itemData(index)
self.context[param["setting"]] = value
log.info(self.context)
def text_value_changed(self, widget, param, value=None):
"""Textbox value change callback"""
try:
# Attempt to load value from QTextEdit (i.e. multi-line)
if not value:
value = widget.toPlainText()
except:
log.debug('Failed to get plain text from widget')
self.context[param["setting"]] = value
log.info(self.context)
def rect_select_clicked(self, widget, param):
"""Rect select button clicked"""
self.context[param["setting"]].update({"button-clicked": True})
# show dialog
from windows.region import SelectRegion
from classes.query import File, Clip
c = Clip.get(id=self.clip_id)
reader_path = c.data.get('reader', {}).get('path','')
f = File.get(path=reader_path)
if f:
win = SelectRegion(f, self.clip_instance)
# Run the dialog event loop - blocking interaction on this window during that time
result = win.exec_()
if result == QDialog.Accepted:
# self.first_frame = win.current_frame
# Region selected (get coordinates if any)
topLeft = win.videoPreview.regionTopLeftHandle
bottomRight = win.videoPreview.regionBottomRightHandle
viewPortSize = win.viewport_rect
curr_frame_size = win.videoPreview.curr_frame_size
x1 = topLeft.x() / curr_frame_size.width()
y1 = topLeft.y() / curr_frame_size.height()
x2 = bottomRight.x() / curr_frame_size.width()
y2 = bottomRight.y() / curr_frame_size.height()
# Get QImage of region
if win.videoPreview.region_qimage:
region_qimage = win.videoPreview.region_qimage
# Resize QImage to match button size
resized_qimage = region_qimage.scaled(widget.size(), Qt.IgnoreAspectRatio, Qt.SmoothTransformation)
# Draw Qimage onto QPushButton (to display region selection to user)
palette = widget.palette()
palette.setBrush(widget.backgroundRole(), QBrush(resized_qimage))
widget.setFlat(True)
widget.setAutoFillBackground(True)
widget.setPalette(palette)
# Remove button text (so region QImage is more visible)
widget.setText("")
# If data found, add to context
if topLeft and bottomRight:
self.context[param["setting"]].update({"normalized_x": x1, "normalized_y": y1,
"normalized_width": x2-x1,
"normalized_height": y2-y1,
"first-frame": win.current_frame,
})
log.info(self.context)
else:
log.error('No file found with path: %s' % reader_path)
def accept(self):
""" Start processing effect """
# Disable UI
# for child_widget in self.scrollAreaWidgetContents.children():
# child_widget.setEnabled(False)
# Enable ProgressBar
self.progressBar.setEnabled(True)
# Print effect settings
log.info(self.context)
# Create effect Id and protobuf data path
ID = get_app().project.generate_id()
# Create protobuf data path
protobufPath = os.path.join(info.PROTOBUF_DATA_PATH, ID + '.data')
if os.name == 'nt' : protobufPath = protobufPath.replace("\\", "/")
self.context["protobuf_data_path"] = protobufPath
# Load into JSON string info about protobuf data path
jsonString = json.dumps(self.context)
# Generate processed data
processing = openshot.ClipProcessingJobs(self.effect_name, jsonString)
processing.processClip(self.clip_instance, jsonString)
# TODO: This is just a temporary fix. We need to find a better way to allow the user to fix the error
# The while loop is handling the error message. If pre-processing returns an error, a message
# will be displayed for 3 seconds and the effect will be closed.
start = time.time()
while processing.GetError():
self.error_label.setText(processing.GetErrorMessage())
self.error_label.repaint()
if (time.time() - start) > 3:
self.exporting = False
processing.CancelProcessing()
while(not processing.IsDone() ):
continue
super(ProcessEffect, self).reject()
# get processing status
while(not processing.IsDone() ):
# update progressbar
progressionStatus = processing.GetProgress()
self.progressBar.setValue(int(progressionStatus))
time.sleep(0.01)
# Process any queued events
QCoreApplication.processEvents()
# if the cancel button was pressed, close the processing thread
if(self.cancel_clip_processing):
processing.CancelProcessing()
if(not self.cancel_clip_processing):
# Load processed data into effect
self.effect = openshot.EffectInfo().CreateEffect(self.effect_name)
self.effect.SetJson( '{"protobuf_data_path": "%s"}' % protobufPath )
self.effect.Id(ID)
# Accept dialog
super(ProcessEffect, self).accept()
def reject(self):
# Cancel dialog
self.exporting = False
self.cancel_clip_processing = True
super(ProcessEffect, self).reject()
|